C# Constructor - why default constructor is generated by compiler only if there is no constructor, instead of when there is no default constructor

前端 未结 3 863
粉色の甜心
粉色の甜心 2020-12-21 00:57

According to MSDN\'s design guide for constructors,

\"If you don’t explicitly declare any constructors on a type, many languages (suc

相关标签:
3条回答
  • 2020-12-21 00:57

    Because not all classes should be constructed parameterless.

    Consider a class that is designed to implement the interface between your application and a file on disk. It would be very inconvenient having to handle the case where the object is constructed without specifying which file to manage.

    As such, since the main point of creating a non-static class is that you want to create objects of it, you're spared having to add an empty parameterless constructor if that is all you want to have.

    Once you start adding constructors at all, then the automagic is disabled and no default constructor will be provided.

    0 讨论(0)
  • 2020-12-21 00:59

    If no constructor is present, there is no way to new up an instance of the class.

    So, when you provide a constructor, there is at least one way to construct the class. If no constructor at all is provided, one is provided by default, so that you can actually build the class.

    This answer's the question of why the default constructor exists, but not why it doesn't exist when you don't create your own parameterless constructor.

    If a default constructor were to be provided when you've already provided one, this could lead to unintended consuming of the class. An example of this has been pointed out in another answer, but just as another:

    public class Foo
    {
    
        private readonly IDbConnection _dbConnection;
    
        public Foo(IDbConnection dbConnection)
        {
            if (dbConnection == null)
                throw new ArgumentNullException(nameof(dbConnection));
    
            _dbConnection = dbConnection;
        }
    
        public Whatever Get()
        {
            var thingyRaw = _dbConnection.GetStuff();
            var thingy = null; // pretend some transformation occurred on thingyRaw to get thingy
            return thingy;
        }
    
    }
    

    If a default constructor were to be automatically created in the above class, it would be possible to construct the class without its dependency IDbConnection, this is not intended behavior and as such, no default constructor is applied.

    0 讨论(0)
  • 2020-12-21 01:04

    If I define a custom constructor which means my object need initialising in a specific way e.g.:

    class Customer
    {
        public Customer(string name) { this.Name = name; }
        public string Name { get; }
    }
    

    If the compiler also added public Customer() then you could bypass the requirement to initialise a customer with a name.

    0 讨论(0)
提交回复
热议问题