当我按原样运行程序时,它可以正常运行。但是,当我在while循环之后将节移动到cout <”时,我遇到了两个错误。从“ char”到“ const char *”的无效转换,并初始化“ char * strncpy(char *,const char *,size_t)”的参数2。我需要更改的任何想法,这样我就可以将该代码移动到函数中。我无法在网上或在我的C ++书籍中找到很好的解释来解决此问题。我知道错误是在说它需要一个文字而不是一个指针,但无法弄清楚变通方法(有吗?)。
这是我的主菜。
int main(){
char cmd_str[500];
int length=0;
bool cont=true;
while(cont){
// strncpy(cmd_str, infile(), 500 - 1); this line causes the two errors
// cmd_str[500 - 1] = '\0';
mode_t perms=S_IRUSR;
int i=0;
int fd = open("text.txt",O_RDONLY , perms);
char *returnArray;
cout<<fd<<endl;
if(fd<0){
perror( strerror(errno));
} else{
ifstream readFile;
readFile.open("text.txt");
readFile.seekg (0, ios::end);
int length = readFile.tellg();
readFile.seekg (0, ios::beg);
returnArray=new char[i];//memory leak need to solve later
readFile.getline(returnArray,length);
cout<<returnArray<<endl;
strncpy(cmd_str, returnArray, length - 1);
cmd_str[length - 1] = '\0';
}
cout<<"pp1>";
cout<< "test1"<<endl;
// cin.getline(cmd_str,500);
cout<<cmd_str<<endl;
cout<<"test2"<<endl;
length=0;
length= shell(returnArray);
cout<<length<<endl;
if(length>=1)
{
cout<<"2"<<endl;
}
else{
cont=false;
}
}
}
这是我尝试过的功能
char infile()
{
mode_t perms=S_IRUSR;
int i=0;
int fd = open("text.txt",O_RDONLY , perms);
char *returnArray;
cout<<fd<<endl;
if(fd<0){
perror( strerror(errno));
}else{
ifstream readFile;
readFile.open("text.txt");
//int length = readFile.tellg();
readFile.seekg (0, ios::end);
int length = readFile.tellg();
readFile.seekg (0, ios::beg);
returnArray=new char[i];//memory leak need to solve later
readFile.read(returnArray,length);
readFile.getline(returnArray,length);
}
return *returnArray;
}
最佳答案
取消引用returnArray
并尝试返回char
无效,因为:
您将只返回字符串的第一个字符。strncpy
函数将不接受它(这就是为什么您会收到这些错误的原因)。
您需要一种方法来解除分配char*
占用的堆分配的内存。
将函数定义从char infile()
更改为const char* infile()
并仅返回指针。理想情况下,这会将填充的数组作为const char*
(C样式字符串)返回,您可以将其成功传递给strncpy
。此外,完成后,您需要在其上调用delete []
(以防止内存泄漏)。
关于c++ - 我在将某些代码从main移到函数时遇到困难,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10159068/