下面是我要开始工作的代码。我想创建一个BankTeller对象数组。据我了解,当调用新的BankTeller()时,它将创建一个指向该对象的指针,并将其保存到柜员中。然后,我尝试插入该位置,但是当我使用gdb单步执行并导致程序崩溃时,出现分段错误。
BankTeller **tellers;
BankModel(int count){
srand (time(NULL)); //ignore this
*tellers = new BankTeller[count];
for(int i=0; i <= count; i++){
tellers[i] = new BankTeller();
}
return;
}
最佳答案
我认为您的代码比可能需要的复杂。我会考虑使用std
容器,例如std::vector
或其他更适合您的需求的容器。通常,除非确实有必要,否则应避免多个间接级别,在这种情况下,似乎没有必要。
了解指针
首先声明BankTeller **tellers
,它是指向BankTeller的指针。在您的代码中导致段错误的行是*tellers = new BankTeller[count];
。这行代码返回指向BankTeller
对象数组的指针,但是带有双**
的声明表示应该获取指向BankTeller
对象的指针的数组。分配的值仍会解释为地址(不是),最终会尝试访问无效的内存位置,从而触发段错误。
而是应为*tellers = new BankTeller*[count];
。注意在打开括号之前的*
。这行代码为您提供了指向BankTeller
对象的指针数组。
简单的例子
为说明起见,请忽略BankTeller
并让我们回到原语。
#include <iostream>
using namespace std;
int main()
{
const size_t max = 3;
int **nums;
cout << "Creating arrays...";
nums = new int*[max]; // <<---- not: nums = new int[max];
for(size_t i = 0; i < max; ++i)
nums[i] = new int(i);
cout << "done" << endl;
cout << "Contents: ";
for(size_t i = 0; i < max; ++i)
cout << *nums[i] << ' '; // <<---- dereferenced twice to reach actual value
cout << endl;
cout << "Deleting arrays...";
for(size_t i = 0; i < max; ++i)
delete nums[i];
delete[] nums;
cout << "done" << endl;
return 0;
}
请注意,这与前面描述的情况相同。要运行它,请将代码放在一个名为
test.cpp
的文件中,并使用以下(GNU / Linux)命令:➜ /tmp g++ test.cpp -o test && ./test
Creating arrays...done
Contents: 0 1 2
Deleting arrays...done
➜ /tmp
如果要在调试器中进行遍历,请将
-ggdb
添加到上述g++
命令中,以确保将调试符号添加到二进制文件中。然后,您可以使用b <linenumber>
(例如b 10
)设置断点,并使用p <variable_name>
(例如p nums
,p *nums
等)来打印地址和值。但是同样,您不需要使用这样的原始指针。您可以并且应该使用标准模板库中的容器。
您的代码重构
我使用
std::vector
而不是双指针重写了下面的示例代码。#include <iostream>
#include <vector>
using namespace std;
class BankTeller
{
public:
BankTeller() {
cout << "Created BankTeller\n";
}
~BankTeller() {
cout << "Destroyed BankTeller\n";
}
};
class BankModel
{
public:
BankModel(size_t count) {
// remember to throw exception if count <= 0
for(size_t i = 0; i < count; ++i)
_tellers.push_back(new BankTeller());
cout << "Created BankModel\n";
}
~BankModel() {
// consider using iterators
for(size_t i = 0; i < _tellers.size(); ++i) {
delete _tellers[i];
_tellers[i] = 0;
}
_tellers.clear();
cout << "Destroyed BankModel\n";
}
private:
vector<BankTeller*> _tellers;
};
int main() {
BankModel *model = new BankModel(5);
delete model;
return 0;
}
在我的系统(GNU / Linux)中构建并运行它的过程如下:
➜ /tmp g++ tellers.cpp -o tellers
➜ /tmp ./tellers
Created BankTeller
Created BankTeller
Created BankTeller
Created BankTeller
Created BankTeller
Created BankModel
Destroyed BankTeller
Destroyed BankTeller
Destroyed BankTeller
Destroyed BankTeller
Destroyed BankTeller
Destroyed BankModel
希望这可以帮助您理解指针和使用STL的好处。
关于c++ - 创建对象数组时出现段错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33046638/