在C语言中有这个程序,并且在我学习语言时试图将一些程序转换为C ++。基本上char数组到字符串和一些输入/输出。唯一的问题是我在尝试将输入字符串放入字符串数组时遇到段错误(test2打印.test3没有)。
有什么想法吗?当我学习c ++时,我应该注意哪些不良的编码习惯?
int main() {
int nstr=0, nchar=0, nint=0, nfloat=0;
string input;
int i, z=0;
float inputFloat;
string *strList = (string*)malloc(sizeof(string) * nstr);
char *charList = (char*)malloc(sizeof(char) * nchar);
int *intList = (int*)malloc(sizeof(int) * nint);
float *floatList = (float*)malloc(sizeof(float) * nfloat);
while (z != -42) {
cout << "Input: ";
cin >> input;
cin.ignore();
inputFloat = strtof(input.c_str(), NULL);
if (inputFloat) {
if (fmod(inputFloat, 1.0)) {
nfloat++;
floatList = (float*)realloc(floatList, sizeof(float) * nfloat);
floatList[nfloat-1] = inputFloat;
}
else {
nint++;
intList = (int*)realloc(intList, sizeof(int) * nint);
intList[nint-1] = (int)inputFloat;
}
}
else {
if (input.length() == 1) {
nchar++;
charList = (char*)realloc(charList, sizeof(char) * nchar);
if (input.at(0) == 10)
input = " ";
charList[nchar-1] = input.at(0);
}
else {
nstr++;
cout << "test1" << endl;
strList = (string*)realloc(strList, sizeof(string) * nstr);
cout << "test2" << endl;
strList[nstr-1] = input;
cout << "test3" << endl;
}
}
cout << "Integers: ";
for (i=0; i<nint; i++)
cout << intList[i] << " ";
cout << endl << " Floats: ";
for (i=0; i<nfloat; i++)
cout << floatList[i] << " ";
cout << endl << " Chars: ";
for (i=0; i<nchar; i++)
cout << charList[i] << " ";
cout << endl << " Strings: ";
for (i=0; i<nstr; i++)
cout << strList[i] << " ";
cout << endl << endl;
}
}
答案 0 :(得分:3)
一般来说,即使可以,也不要在c ++中使用malloc
,calloc
,realloc
等。
对于像int,char等简单项目来说它没那么有意义,但是当在对象上使用时(比如std::string
)会导致这类问题:
此行开始时:
string *strList = (string*)malloc(sizeof(string) * nstr);
您将存储分配给字符串数组,但您没有调用任何构造函数,因此您分配的所有存储仍然无用。
在c ++中,您必须使用new
,如下所示:
string *strList = new string[nstr];
它更短,更容易并且调用每个已分配对象的构造函数。
最后你将它与delete []
这样处理:
delete [] strList;
更好的是使用:
vector<string> strList;
并使用以下方法添加元素:
strList.push_back("something");
或strList.push_back(some_string);
vector
正在处理内存分配和空闲,并在生命周期结束时作为常规对象自动释放,因此根本不需要删除它。
答案 1 :(得分:-2)
realloc重新分配比前一个更大的数组。数组末尾的新元素,将其填充为整数,float,char,它们是基本的C类型。对于像字符串这样的C ++对象,数组中的最后一个元素不是新字符串,其中一种可能性是创建字符串指针数组。
代码开头
string **strList = (string**)malloc(sizeof(string *) * nstr);
并在代码结束时,在数组的末尾分配一个新的字符串对象。
nstr++;
strList = (string**)realloc(strList, sizeof(string *) * nstr);
strList[nstr-1] = new string(input);
在程序结束时,您必须删除通过new运算符和通过malloc / realloc创建的所有内容。
while (nstr--)
{
delete strList[nstr];
}
free(strList);