Constructor default-public and private variables
我知道java并且我现在学习c。我比其他语言更容易学习它有很多相同的东西。我的问题是在一本书的类上有一个完整的构造函数,但我没有在任何地方面对默认构造函数.有 c 默认构造函数,如果是,我应该写吗?另外,我想测试一些东西,在这个类上有
1 2 3 | private: int numbers; int coffee; |
我说的对吗?
很难准确地说出你在问什么。但:
1) 如果您自己不创建任何构造函数,则会为您生成一个默认构造函数。默认情况下它是公开的。
2) 生成的默认构造函数将默认按声明顺序构造基类和类成员(虚基(如果有),深度优先,从右到左按声明顺序,然后按从左到右声明顺序正常基,然后是成员变量,按声明顺序排列,如果其中任何一个不能默认构造,则无法为你生成默认构造函数。
3) 如果存在 const 成员或引用成员,或者没有默认构造函数的成员,或者您的类有没有默认构造函数的基类,则无法生成默认构造函数,因为这些成员必须使用一个或多个值进行初始化。
4) 如果你定义了一个构造函数,并且你还希望编译器为你生成一个默认构造函数,并且默认构造函数在你的代码中是有效的,这样做:
1 2 3 4 5 6 | class MyClass { public: MyClass() = default; // explicitly tell compiler to generate a default MyClass(int x) { ...} // normally would suppress gen of default ctor }; |
如果我理解您关于访问说明符的问题,它们就像标签,并且遵循它们的所有内容都具有该访问说明,直到您编写另一个更改它的说明。在一个类中,默认访问是私有的。在结构中,访问是公共的。
希望这会有所帮助。
你的老师因为不包括默认构造函数而被打分的事实……至少可以说很有趣。
作为一般原则,在 Java 和 C 中,构造函数负责将对象初始化为完全形成的状态。有一个默认构造函数的原因是能够在没有任何显式输入的情况下构造一个完整的对象。但这可能会变得很奇怪:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 | //Java public class Student { public String name; public int age; public Student() { this("", 0); } public Student(String name, int age) { this.name = name; this.age = age; } } //C++ class Student { public: //Everything after this point has 'public' access modifier; is like putting //'public' in front of each variable and method std::string name; int age; Student() : Student("", 0) {} Student(std::string name, int age) : name(std::move(name)), age(age) {} }; |
在此示例中,
但是想一想:这有意义吗?一个有效的
因此,确定是否在代码中包含 Default-Constructor 是设计原则的问题,与您使用的是 Java 还是 C 或大多数编程语言无关。
关于您的其他问题:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 | class example { //private: //'class' declarations have everything 'private' by default, 'struct' makes things 'public' by default int val; //is private std::string type; //is private public: //Will be public until another access modifier is used example() {} //is public example(int val, std::string type) : val(val), type(std::move(type)) {} //is public void do_something() { //is public private_function(); } private: //Will be private until another access modifier is used void private_function() { //is private val++; } }; |
在 Java 中,您会编写如下相同的代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 | public class example { private int val; private String type; public example() {} public example(int val, String type) { this.val = val; this.type = type; } public void do_something() { private_function(); } private void private_function() { val++; } } |