我遇到了Stack Smash Protection的一些严重问题,现在我遇到了一个新的错误 - 分段错误 - 。我认为这与linux有一些特殊保护这一事实密切相关。任何人都可以解释一下为什么我会在这个特殊情况下遇到分段错误?
vector<const char*> Words;
void read(){
FILE* a;
char s[100];
a = fopen("text.txt", "r");
while (!feof(a))
{
fgets(s, 100, a);
char *newAlloc = new char[strlen(s)];
strcpy(newAlloc, s);
Words.push_back(newAlloc);
}
fclose(a);
}
更新:我尝试了所有解决方案并修改了代码,但问题仍然存在,所以我尝试将代码减少到这个:
#include<iostream>
#include<stdio.h>
int main()
{
FILE* a;
a=fopen("text.txt", "r");
fclose(a);
}
它仍然在fopen的行中给出了这个错误。(这是我在解决的练习中必须的) - 我使用Ubuntu 15.10和QT Creator以及GCC编译器。
更新:解决了它。我想这个问题是因为我没有给出fopen的完整路径。我是ubuntu的新手。显然有一些不同的东西。
char * a = "/home/codrinz/text.txt";
FILE * file = fopen(a, "r");
答案 0 :(得分:3)
我看到了几个问题。
请勿使用while (!foeof(a))
。请参阅Why is “while ( !feof (file) )” always wrong?。
您没有为单词分配足够的内存。因此,您最终会使用您不应该使用的内存。这导致了不确定的行为。
使用:
while (fgets(s, 100, a))
{
char *newAlloc = new char[strlen(s) + 1]; // Add +1 for the terminating null character.
strcpy(newAlloc, s);
Words.push_back(newAlloc);
}