You can create a property initializer and have a base class use it. Your classes can then inherit from the base and have their properties automatically initialized:
public class PropertyInitializer
{
    public void Initialize<T>(object obj, T value)
    {
        PropertyInfo[] properties = obj.GetType().GetProperties();
        foreach (PropertyInfo property in properties)
        {
            if (property.PropertyType == typeof(T))
            {
                property.SetValue(obj, value);
            }
        }
    }
}
public class InitializedBase
{
    protected InitializedBase()
    {
        var initializer = new PropertyInitializer();
        //Initialize all strings 
        initializer.Initialize<string>(this, "Juan");
        //Initialize all integers
        initializer.Initialize<int>(this, 31);
    }
}
//Sample class to illustrate
public class AutoInitializedClass : InitializedBase
{
    public string Name { get; set; }
    public int Age { get; set; }
    public override string ToString()
    {
        return string.Format("My name is {0} and I am {1} years old", Name, Age);
    }
}
Sample usage:
AutoInitializedClass sample = new AutoInitializedClass();
Console.WriteLine(sample);
Console output:
My name is Juan and I am 31 years old
Notice the base class is using the PropertyInitializer class to initialize fields. This is a simplified example. You can expand it as it fits you (it may not work out of the box with all types).
I personally don't recommend this. It's called a constructor for a reason but you asked a question and I provided an answer.