Tips In Selecting Managed IT Services

By Leanne Goff


These days, managed IT services in Philadelphia would certainly be essential in several industries all over the world. Yet, they would usually come in a great number that would usually bring confusions for some people who would be availing such. Still, there would be tips that could be used for you to be guided properly in selecting a service provider.

Normally, the task of the companies would include the entire monitoring of the overall system. They would also give some solutions to the problems that would arise in any system. They would also be assigned to fix or repair all sorts of issues that you would be facing.

There are numerous types of services that they may provide you like the data recovery and backup, security service, alerts service and the patch management as well. They may fix and attend several devices that you own. These may usually include the servers, computers, laptops and netbooks.

Whenever you will be choosing a certain company that you will be working with, there will be factors that have to be considered. As much as possible, you have to examine and evaluate the firm properly. You have to dig in to their background so that you will know them well. You can even choose at least three of them so that you can make comparisons for their rates.

There would be plenty of resources that could be used in order to get information regarding them. Most of them might already be established and could be seen easily within the locality. It is essential that you would select them for you to have ease in approaching them if you would have several problems.

The internet may be a relevant source of information because it may group those that have attained good name and reputation in such industry. There are clients and customers out there who may have proven and tried their services. You have to ensure you can ask any questions concerning them for them to give you appropriate answers.

If possible, you could read some testimonials or comments that might have been left by some clients they had in the past. When you have already read about it, make sure you can take note of some that have gained positive comments. There would be greater chances of good quality service whenever you would decide to select the particular company.

It would definitely pay off whenever you would conduct an extensive research about them. By simply doing this, you would avoid having any wrong decisions or selections that would just bring regrets or disappointments. Moreover, this would allow you to get better savings for your energy, money and time.

Your colleagues and friends in this industry may assist you in picking the right managed IT services in Philadelphia. Still, you should do your best before you may contact them. Typically, their services may have its corresponding price and hence you should prepare for such. These may sometimes be affected by the type of service you are availing. You must not pay them as well especially if they have not accomplished their work.




About the Author:



Read More..

Length of array

Q. Write a C program to calculate the length of a given array.


arr[] = {12, 7 , 9 , 4 , 22 , 63 , 74 , 5 , 1 }


Ans.


/*c program for calculate the length of array*/
#include<stdio.h>
int main()
{
 int arr[]={ 12,7,9,4,22,63,74,5,1 };
 int length;
 length = sizeof(arr)/sizeof(int);
 printf("Length of given array = %d",length);
 getch();
 return 0;
}


/*************** Output *****************/
Screen shot for calculate length of array c program




Related programs:

  1. How to create array in C?
  2. Display array in reverse order
  3. Insert new element in array
  4. Delete an exist element in array
  5. Example of array C program
Read More..

Flag Structure Design

Q. Write a C program to print the following flag design as:

 * * * * * * * * *
 * * * *
 * * * *
 * * * *
 * *
 * * * *
 * * * *
 * * * *
 * * * * * * * * *

Ans.

/*c program for flag design*/
#include<stdio.h>
int main()
{

 int num=7,r,c;
 for(c=1; c<=9; c++)
    printf(" *");
 printf("
"
);

 for(r=1; r<=num; r++)
 {
  if(r==4)
  {
    for(c=1; c<=2; c++)
       printf(" *");
  }
  else
  {
    for(c=1; c<=4; c++)
       printf(" *");
  }
  printf("
"
);

 }
 for(c=1; c<=9; c++)
    printf(" *");
 getch();
 return 0;
}

/**************************************************************
The output of above program would be:
***************************************************************/


Output of Flag Structure Design C program
Figure: Screen shot for flag-structure-design C program


Read More..

Defining Base Class Acess Inheritance

In the previous article Introduction
to Inheritance in C++
we saw how one class can inherit properties and
functions from another, its general form is:



class
derived-class:access-specifier base-class
{
...
...
...
};


We discussed that the access-specifier here, can be anyone of the three private,
public and protected. In this article we’ll discuss the meaning of each
of these in detail.


We know that when a class is derived from another class (base class) then the
members of the base class becomes the members of the derived class. The access-specifier
used while deriving the class specifies the access status of the base class
members inside the derived class.


If we don’t use any base class access-specifier then it’s taken
to be private by default.


Please note that in no case are the private members of the base class be accessible
to the members of its derived class.


So by using different access-specifier we only change the way public and protected
members of a class are inherited inside derived class, since private members
of the base class always remain inaccessible to the members of its derived class.


private:


If we use private access-specifier while deriving a class then both the public
and protected members of the base class are inherited as private members of
the derived class and hence are only accessible to its members.


Following example will illustrate this:



// Introduction to Inheritance
// ----------------------------
// -- THIS PROGRAM WONT RUN --
// ----------------------------
// THIS PROGRAM IS DESIGNED TO
// HAVE ERRORS
#include<iostream.h>

// base class
class base
{
int a;

public:
int b;
void func()
{
cout<<b;
}
};

// derived class is
// inheriting base
// privately
class derived:private base
{
int c;

public:
int d;
void func2()
{
// accessing bases members
cout<<a;// ERROR
// cannot access private
// members of the base class

cout<<b;// CORRECT
func();// CORRECT

// accessing its own
// members
cout<<d;
}
};

void main(void)
{
base b;
derived d;

b.func();// CORRECT

d.func();// ERROR
// cannot access func()
// which is inherited
// as private member of
// the derived class
}



Here all the public members of the base class are inherited in the derived class
as private members. Thus we can’t access the public members of the base
class (b and func()) from the objects of the derived class although they are
accessible to the members of the derived class.


public:


By deriving a class as public, the public members of the base class remains
public members of the derived class and protected members remain protected members.


This is illustrated below:



// ----------------------------
// -- THIS PROGRAM WONT RUN --
// ----------------------------
// THIS PROGRAM IS DESIGNED TO
// HAVE ERRORS
#include<iostream.h>

// base class
class base
{
int a;

public:
int b;
void func()
{
cout<<b;
}
};

// derived class is
// inheriting base
// publicly
class derived:public base
{
int c;

public:
int d;
void func2()
{
// accessing bases memebrs
cout<<a;// ERROR
// cannot access private
// members of the base class

cout<<b;// CORRECT
func();// CORRECT

// accessing its own
// members
cout<<d;
}
};

void main(void)
{
base b;
derived d;

b.func();// CORRECT

d.func();// CORRECT
}


protected:


It makes the derived class to inherit the protected and public members of the
base class as protected members of the derived class.


Protected members of the class and its use will be discussed in the coming
articles.


Related Articles:


Read More..

ALPHABET PATTERN 2

A C program to print the following pattern:
E
DE
CDE
BCDE
ABCDE


main()
{
int i,j,n;
printf("Enter the number of rows:");
scanf("%d",&n);
for(i=n;i>=1;i--)
{
for(j=i;j<=n;j++)
{
printf("%c",A+j-i);
}
printf("
");

}
getch();
}
Read More..

Ibis Hotel SIngapore on Bencoolen 3



Grade:

3 star

Description:

Ibis hotel is situated at a strategic location that is within walking distance to bugis and little india- two of the cultural rich places with a huge variety of restaurants. Access to other parts of singapore is very convienient by MRT (a train service that connects to many parts of singapore) at bugis MRT station that is only 5 to 10 minutes walk away. The hotel is only 1.5km from orchard road.

If you just need a simpler way to stay at a hotel and do not wish to spend more than what you need, this is the hotel for you. It is a highly recommended hotel to stay that is very reasonable priced and VALUE for money. Very suitable for people with frequent visits to singapore, whether it is for business or leisure purpose. It is quite a new hotel in singapore with clean rooms and more than average restaurant.

Room types:

One queen bed standard- LCD TV with complimentary broadband and Wi Fi access.

Standard two single beds- LCD TV with complimentary broadband and Wi Fi access.

*note: there are some connecting rooms within the hotel so do ask for them early if you need it.


Some rooms facilities:

-data port in room

-satellite/ cable color TV

-free access with phone card

-direct dial telephone


Dining in the hotel:

-Taste: (thematic crusine)

-Le bar


Photos of this hotel:



The bar- damn cool!

Standard two single beds room


Queen bed standard room

TASTE- above average restaurant with incredible dishes

The retro looking hotel lobby


Map and Address:




170 Bencoolen Street (S) 189657
www.accorhotels.com/gb/hotel-6657-ibis-singapore-on-bencoolen/index.shtml

Video of ths hotel:

coming soon!

Read More..

Pi Story

Site: http://www.pistory.com/
Status: Free 2 Play

PiStory is a 2D fantasy MMORPG in anime style. Classes available are Fighter and Cleric, both have class change on level 15 and can fight actively in combat.


Read More..

Halo Glasslands


Halo: GlasslandsHalo: Glasslands by Karen Traviss
My rating: 2 of 5 stars

Ive read a number of books by Karen Traviss; Ive read a number of books based in the Halo Universe.  On both counts, Glasslands ranks near the bottom.  Page upon page upon page of dull exposition, short descriptors, and glacial plot development all leading up to a decent 50 pages and...thats the end.  Buy the sequel, folks! Im a sucker for completionism so Ill probably be purchasing The Thursday War someday to see what happens to Kilo squad.  But, after slogging through this one, Im not planning on it for quite some time.  Meh


View all my reviews

Read More..

How to Install Favicon

Blog-How To Tricks today will give you blog tricks how to make a favicon. Favicon is the image that appears on the left our url in your browser. With a favicon, our blog can be different.

How to make a favicon at your blog, its very easy.

This is the tricks :

First, you must have an image that want to use for your favicon.

For the example, my image like this :



To make that image to be my favicon, find following code :

<head>

Then copy code below :

<link href=http://yourimage.jpg rel=shortcut icon/>


Change yourimage.jpg with your image url.

Just paste below <head>

Then save template and review it.

Now you can happy with a Favicon..:)
Read More..

Red Faction Guerilla


When I first saw this game I thought it was going to be some solid lowest common denominator entertainment. However, what you actually get is a surprisingly deep, if a little repetitive, respectably long single player. For me, this is the spiritual sequel to the original Mercenaries and a worthy purchase if you are looking for something to play over the summer.

The main selling point of this game is the impressive physics engine, so I should probably start with that. Exploding stuff is fun. Sometimes the buildings feel a little fragile and yet remarkably can stay standing on a single support. None the less, the demolition requires thinking and it is rewarding when they come down. The fact that every man made structure is destroyable and stays destroyed makes the world come alive. Destroy a bridge and you will see people having to drive round it, for example. I was a little surprised to discover you couldnt destroy the rocks (that was, after all, the main selling point for the original Red Faction) but fear not, there is not a shortage of things to destroy.

However, that is far from the only link to Mercenaries, which also had loads of permanent destruction. The single player takes place in a large explorable world with plenty of driving. The single player is a lengthy experience that will take about 15 hours to complete with plenty still to do. In some ways, the game play can get quite repetitive and you spend far too much driving around. While there is a wide variety of types of missions, they most boil down to exploding buildings and driving vehicles. However, the vastly superior (in numbers and weapons) enemies force you to use the map in imaginative ways to try and get in and out as quickly as possible.

That is probably the single players greatest strength. For the most part, you do feel like a guerilla using hit and run tactics. It is a pleasant change from the normal one man army who defeats everything. The learning curve for the single player is also excellent and towards the end of the game it is very challenging.

In fact, the single player experience does load right, an interesting world to explore, collectibles with in game rewards, a believable population, nicely paced game play and climaxes coming at the end of each area that you liberate. However, one of my favourite parts to the experience were the demolition challenges. In these you get a limited set of equipment and within a set time you must destroy a building. These required a lot of thinking, with some of them being very challenging.

However, the single player is not perfect. For me, the biggest let down is the story. For once, the actual story has not really been overused. For most games it is a complete evil you are fighting. However, in this, you are basically fighting a corrupt power. However, I think the game does a poor job of turning you against them. Straight after the tutorial they kill your brother. This would, in theory, turn you against them. However, the developers go to early, you dont really know or care about your brother. I think there needed to be an extended period at the start where you were helping the Red Faction without going on all out attack on EDF (Not sure how they would stop this being boring). That way, when they kiled your brother, you cared. Also, they could use this time to show the EDF abusing their power.

The ending is a bit of a let down (arent they all!). The climax comes right before the final boss battle, which just feels tacked on and lame. I also thought that they could have done something more interesting with the world after you had finished it; immeditatly after I defeated the EDF, I got called to intercept one of their couriers.

None the less, overall the single player is one of the better experiences in recent memory. The audio and visual presentation is fantastic and the world presents a suprisingly large amount of variety when exploring.

The game has two types of multi-player. The online multiplayer does nothing for me. The jetpacks do make combat an interesting experience but the game isnt about to supplant Halo. It is perfectly functional but things like 3 shot rocket launchers and proximity mines feel unbalanced and frustrating. It also doesnt really make full use of things like destruction to set it apart from other games. It just feels like an online mode that was there because a game should have online, not because they had anything special to add.

However, the game also includes a "pass the controler" mode. Yes, that is right, a take it in turns multi-player which you probably havent seen since Worms on the PS1! However, it is suprsingly good. Basically, you have to destroy more than your opponents in a time limit. However, to make things interesting, all of your actions use time as well. So, swinging the hammer will take 3 seconds off your time. Therefore, it is key to think about your actions. In one game, for example, I rigged a tower to fall on top of a building to score more. The forthought required for this is a rare feature in any multi-player games and reinforces my point there is more to this game than meets the eye.

In conclusion, I really like Red Faction. The single player is long, challenging and interesting. Whilst the story wont do much for you, some excellent pacing and an interesting world make is a must if you are looking for something to play over the summer. The explosions make for an interesting focus to the game. Sometimes it needs more variety, but for the large part, it is highly entertaining.

The multi-player is not fantastic, but it isnt bad. There is nothing in the online mode to keep you, it is basically a standard online experience with some unbalanced and frustrating weapons. The pass the controller mode, on the other hand, is really good. Although I am sure that given enough time, you could work out exactly the dominant explosions, when you first start it with somone else, it is entertaining, different and plays to the strengths of the game.

This review is based on a copy of the game supplied by the publisher
Read More..

Silksbux com Payment Proofs Get Paid Completing Simple Tasks

http://www.silksbux.com/?ref=pinoydeal 
At Silksbux, free members can earn and upgraded members can earn even more. Earn upto $0.04 per click and upto $0.02 per referral click. Trusted owner and admin. CLICK HERE TO GET YOUR FREE SILKSBUX ACCOUNT.

 
http://www.silksbux.com/?ref=pinoydeal
At Silksbux, free members can earn and upgraded members can earn even more. Earn upto $0.04 per click and upto $0.02 per referral click. Trusted owner and admin. CLICK HERE TO GET YOUR FREE SILKSBUX ACCOUNT.

Read More..

Ha Ha … funny … warning – don’t read this if profanity offends you too easily …

I was starving and there was not much around to make … Nick was not sure what he wanted and I’m on my 11th straight day of working ridiculous hours to complete a project …

So I decided to make a quick and easy pasta dish. Well, I was pretty impatient and ended up not giving the super high fiber noodles (Fiber Gourmet Nests – 18g fiber per serving) enough time to cook, nor did I infuse the Olive Oil with the garlic for more than a moment … which led to a chewy dinner with far too sharp a taste. To be clear, it sucked.

Here’s where the profanity starts, so the faint of heart please move along …

Nick and I were laughing over the horrible meal that I was scarfing down (while complaining) and I suggested that I would have been better off crapping on the floor and eating that, to which Nick immediately replied – laughing -- “like Buddy used to do”, honing in on the reference immediately (Buddy was our dog a couple of decades ago and he enjoyed his own and the kids’ caca for a snack now and again.)

We were chuckling over this when my brain snapped on a joke that amused me, although it is still unrefined. But here goes anyway …

What is the difference between a conservative government and a dog?
A dog will happily eat its own shit, and yours …

Like I said … unformed, as you have to work too hard to get the corollary.

But it has the ring of something potentially special in the right comedian’s hands Smile

Update: Thought of a few variations ...

What is the difference between a government and a dog?
One regularly kicks you in the balls,
and the other licks his own.

What is the difference between a government and a dog?
One shits everywhere and expects you to clean it up,
and the other licks your face.

I think I’m liking that last one a bit Smile

Read More..

Just A Few Things

Just a quick update today, as its Christmas and Im sure people are busy.

Theres a MFZ group on deviantART.  Ive posted links to individual creations on the Community page before.  This will allow people to get a wider look at the people who post MFZ creations to deviantART.

Ive put the questions and ratings that I use in my reviews on their own page.  A few people in the community have used them to do their own reviews so Ive made it easier to find.

Ive also re-arranged the header bar to an order that looks a little more user friendly.

As people have created more PDF instructions for frames Ive been adding them to the Instruction page.  Keep checking back every now and then.

Have a merry Christmas!
Read More..

QR Codes to improve the Food Court experience


QR Codes to improve the Food Court experience


Attempt 1


Attempt 2


Read More..

SaaS Course

Read More..

Spring Source STS

Download 3.0.0 here | Welcome to the Spring Tool Suite
I already had Maven 3.0.4 installed, so I did not install the accompanying Maven 3.0.3.













Read More..

Pharmacology

Pharmacokinetics
Pharmacodynamics
Absorption
Drug Metabolism
Drug Excretion
Steady state concentration
Elimination Half-Life
Age (impact on Pharmacodynamics)

Drug
- goodman and gimmel
- chemical entity affecting a living protoplasm

Medicine
- type of drug
- treat, cure, prevent or diagnose a disease

Pharmacology
- study of medications




Read More..

NCH iPhone and Android Update The Express Dictate iPhone App is here

Update: Express Dictate for Android is now available. You can Get Express Dictate for Android from Google Play or Amazon


Pocket Dictate iPhone Dictation SoftwareThats right, I am finally making good on my promises of NCH iPhone applications. (July 2009: NCH Starting development for iPhone)

Pocket Dictate has been approved by Apple and is officially available and free to download through iTunes for your iPhone, making our range of digital dictation software nearly complete. You can use any of the applications in our dictation suite to record your dictations almost anyway you choose:

Express Dictate for your Mac or PC for easy computer dictation. You can also use Express Dictate with a portable dictation device, and simply dock and send your dictation files when you are back at your desk.

Pocket Dictate is the mobile version of Express Dictate which can be downloaded for your Pocket PC, Windows Mobile or Palm OS devices--and now your iPhone as well. A Droid version is currently under development, which will round out all your portable devices.

Web Dictate lets you set up a web dictation server so you can log in and record dictation files anywhere with a microphone and an internet connection.

With Dial Dictate, you can set up a phone-in dictation system, so that you can have a dedicated phone number to call whenever you need to make a dictation.

With all of these different choices you would be hard pressed to not find a solution that will work well for you.

So whats next for NCH apps?
As I mentioned, Pocket Dictate for Droid is on its way. We are also planning on porting PitchPerfect Instrument Tuner, WavePad Audio Editor, RecordPad Sound Recorder, and TempoPerfect Metronome Software for both the iPhone and Android. Those will keep us busy for a little while longer, but Im sure there will be even more to add to the list after that, so if there are any of our products that you are dying to have on your phone, or if you have any feedback on Pocket Dictate be sure to let us know.
Read More..

Bitdefender Internet Security Review Philippines

The only "paid" antivirus I use prior to this was AVG Premium. Well, I decided to buy AVG before because I was using the free AVG version and decided that I try to upgrade it to premium. After it expired, I tried Bitdefender because my friend highly recommended it and so far, I am happy with it. It's been almost a month now.

Surprisingly, after installing Bitdefender Total Security, he found some malicious files that AVG premium wasn't able to detect. That itself is a very good indicator that this antivirus software is indeed better than the previous one I used. Also, I noticed that it is almost invisible. I hate it when my previous one updates in the middle of a presentation. The pop up is annoying. Very annoying. Using Bitdefender, it almost never bothered me.

Read more »
Read More..

High Stakes Dice Game Toyota 86 as the Grand Prize Mid autumn Festival Game Information

Dice game grand prize: Toyota 86. Want to join?
It's the mid-autumn festival again! It's the season where those with Chinese culture or have adapted to the Chinese culture play the annual dice game. This game is simple as you roll (6) six dice in a bowl and the prize will depend on the outcome. To give you a basic idea, having the number "4" makes you a sure winner (unless the prizes in the category you won runs out).

Read more »
Read More..

LED Calc


Nice site for figuring out parameters related to LEDs:  HERE

Standard LED voltage drops:


  • standard red: 1.7v
  • super bright red: 2.2v
  • standard green: 2.2v
  • high intensity blue: 3.0v-3.5v
  • high intensity white:  3.0v-3.5v

















LED


  • Light Emitting Diode
  • based on a semi-conductor
  • source of light, kind of a light bulb.  But, unlike a light-bulb, an LED does not generate nearly as much heat.
  • Red LED only needs about 1.7v.  If you try to run a red LED with 5v, it is too much voltage for the LED.  So, typically, you introduce a resistor to drop the voltage to the LED to a more acceptable level.
  • An LED is an example of a transducer since it can take energy in the form of electricity and convert it into energy in the form of light.
Read More..

RENDER Particles Tentacles Icosphere




Read More..

In The Mail This Nonviolent Stuffll Get You Killed How Guns Made The Civil Rights Movement Possible

The book isnt out yet; I received a galley proof from Basic Books.  It looks quite interesting. Most curious of all, it is by Charles E. Cobb. Jr. "Visiting Professor at Brown Universitys Department of Africana Studies and a former field secretary for the Student Nonviolent Coordinating Committee."  I suspect that he has first-hand experience about what he writes!

It tickles my ego a bit to think that I am important enough that they wanted me to read it and write a cover blurb for it.

I need to get a review of Stephen P. Halbrooks Gun Control in the Third Reich: Disarming the Jews and "Enemies of the State" written for PJMedia this weekend, and start reading Cobbs book.
Read More..

I am confirmed as worthy …

Read More..

Server 2003 Malayalam Tutorial

Read More..

PHOTOGRAPHY Revisiting Virtual Studio Idea With VIZAGO

I stumbled into this Vizago 3D Head Reconstruction website today that gives a demo that allow user to upload a single portrait photo (frontal shot) and then it tries to convert it into 3D mesh object.

Full of curiosity, I quickly pickup a random photo from Google and I grabbed a portrait from here:

VIZAGO 3D HEAD RECONSTRUCTION
Upload a single portrait photo into Vizago website.

Get 3D head mesh within a couple of minutes or a day (depends on the demands, I supposed)
It comes to my surprise that the result is actually quite nice. And you can preview the result in 3D on the web directly. You can rotate around the head mesh on browser as well.

In the past, I remember there are already few casual/hobby applications that does something like this, but the result was not great. Now you can do it really quickly on a website and at this demo stage, you can download the resulting OBJ complete with texture and UV. To download, you need promo code, just ask Vizago via email.

IMPORT TO BLENDER
When you bring this model into Blender, you may want to scale down the mesh x 0.0001 (or x 0.00001). The mesh was a bit too big to fit the scene.
  • As you import the OBJ, just tap S and then type 0.0001.
  • Scale down even more if still does not fit.
  • You then want to center the pivot, simply Right Click on the mesh (to select it) and CTRL+SHIFT+C and select Origin to Geometry and the pivot will now centered to the mesh geometry.
  • To freeze the Scaling, CTRL-A and Apply Scale.
This is fun for you all Blenderheads to try. Maybe create a 3D head of yourself, friends, or family and then do 3D printing, using service like Shapeways.

Or if you just like to play around with the mesh inside Blender, probably creating some facial animation using Blender Shapekeys, you can also do that. Perhaps create all kind of hair setup.

PAT DAVID VIRTUAL STUDIO FOR BLENDER
Remember my previous post on using Blender as Virtual Photography Studio? The one originally created by Patrick David?

Time to use the setup:
3D Head Model based on a single photo using the Vizago 3D Head Reconstruction

Below are some results:

Colorful lighting.

Killer mood.

Sensual mood like in a night club or inside Virgin Airplane.

Before Sunset mood.
Environment Lighting (image based lighting)

Just like when I first time use this setup, I thought this was really brilliant setup by Pat. Super useful to test all kind of lighting situations.


Yeah, unfortunately most of the models will be bald without hair. So, probably time to sculpt some hair!

Anyways, now that we have a web service like Vizago to create 3D head model automatically, you can test it on different kind of heads. Maybe even create 3D portrait (stereoscopic)?

Try all kind of head result using Martin‑Schoellers photography, just for educational purpose. See which one actually works and which one does not work.



So, maybe you can guess who are the female actress/model below:
Angelina Jolie has similar look to Miranda Kerr and Emily Browning, who would have thought. Jennifer Lopez actually has very distinct look.
Natalie Portman looks a little like Monica Belucci.
You can do interesting study of head facial using this process:
  • My quick guess is that they have template base head (one for male and one for female) that is morphed based on points you specified during the upload and reconstruction of the mesh.
  • Face features that are morphed: eyes, nose, lips and the main shape of the head (more round, more triangle). Lips and eyes are taken care mostly by textures. 
  • Nose is actually important in getting likeness. Probably they can improve if the user provides the NOSE PROFILE shape.
  • What interesting is how Vizago tries to guess the "profile" of the head.
  • The ears stay the same, probably just the position is different.

If you import some of the head mesh into Blender, noticed that the Vertex number of the mesh is the same. You can do "morphing" from one head to another. Shape Keys time!

UPDATE: The vertex number is apparently different. So you cannot quickly do Join as Shape Keys. But I think there is a way around this. Maybe Shrink Wrap Deformer and Vertex Weight Blending will do the job so that you can blend from one shape into another.

So far I only tried this using random photos that I found using Google Images, or Celebrity faces, which is really simple. Celebrity and model faces tend to be the most basic and simple. For faces that are more exotic, like islanders, probably the result will be more interesting. See if that works or not.


Doing this auto 3D head reconstruction process reminds me my previous experience on seeing this Chinese street artist doing small head sculpting from a real life model in realtime for about 30 minutes per head in Las Vegas. I thought that was really an amazing skill. Especially to get likeness to the persons face.

Eventually I think there will be lots of digital artist doing this manually in real time using Blender/Mudbox/ZBrush and print it out under 30 minutes. Right?

The applications like Vizago or perhaps the Autodesk 123DCatch that allows anyone to quickly take photos and create 3D mesh are amazing. You can use this as starting point reference, or use it right away.

Decide whether creating virtual avatar manually or automatically is more preferable? Here is another example from company in Korea "3D Avatar Generation": (probably for game figure)




Wonder if anyone like to use own figure for game or the better self?

Please show me your creations, it would be nice to see what you created with this!
Read More..