我定义了一个名为Student的课程。
// Student.h
#pragma once
#include <iostream>
using namespace std;
class Student {
public:
Student();
Student(const Student &s);
Student(int ii);
Student& operator=(const Student &s);
~Student();
private:
int i;
};
// Student.cpp
#include "Student.h"
Student::Student(): i(0)
{
cout << "ctor" << endl;
}
Student::Student(const Student &s)
{
i = s.i;
cout << "copy constructor" << endl;
}
Student::Student(int ii): i(ii)
{
cout << "Student(int ii)" << endl;
}
Student& Student::operator=(const Student &s)
{
cout << "assignment operator" << endl;
i = s.i;
return *this;
}
Student::~Student()
{
}
// main.cpp
#include <vector>
#include "Student.h"
int main()
{
vector<Student> s(5);
system("pause");
return 0;
}
我在Visual Studio 2015上运行了这个程序 输出结果:
ctor
ctor
ctor
ctor
ctor
但我希望结果是:
ctor
copy constructor
copy constructor
copy constructor
copy constructor
copy constructor
我错了吗?另外,我写道:
Student s1;
Student s2 = s1;
输出结果:
ctor
copy constructor
而不是:
ctor
copy constructor
copy constructor
作为C ++入门(第四版)在第13章中说过。
第三个,当我写道:
Student s = 3;
输出结果:
Student(int ii)
我认为这应该是:
Student(int ii)
copy constructor
答案 0 :(得分:7)
如果您查阅std::vector::vector(size_type count)
上的文档,您会看到
使用计数默认插入的T实例构造容器。不会创建副本。
所以你只会看到构造函数调用。
其次在
Student s1;
Student s2 = s1;
s2 = s1
未使用赋值运算符,而是使用copy initialization。这使用复制构造函数来构造字符串。
在你的第三个例子中
Student(int ii)
copy constructor
将是有效的输出。您没有得到的原因是编译器是智能的,而不是创建一个临时的Student
,然后复制它可以省略副本并使用带有{的构造函数直接构造s
{1}}。