3

这段特定的代码有什么作用?更准确地说,test tob(); 是做什么的?做?

class test {
 private:
  int a;
  int b;
 public:
  test (int);
  test();
};
test::test() {
 cout<<"default";
}
test::test (int x=0) {
 cout<<"default x=0";
}
int main() {
 test tob();
}

我不知道什么是测试 tob(); 做,但它没有给出任何编译错误。

4

1 回答 1

9
test tob();

声明了一个返回类型为 的函数test它不创建对象。它也被称为最令人头疼的 parse

创建test对象:

test tob;

此外,您使用默认参数定义函数(包括构造函数)的方式不正确。

test::test (int x=0) {  // incorrect. You should put it in function when it's first declared
 cout<<"default x=0";
}

下面的代码应该可以工作:

class test {
  int a;
  int b;

 public:
  explicit test (int = 0);    // default value goes here
};

test::test (int x) {          
 cout<<"default x=0";
}

int main() {
 test tob;    // define tob object
}
于 2013-10-11T10:48:35.307 回答