这与 无关printw()
,您只是没有正确分配内存。这里:
char** matrice = malloc(sizeof(char*)*51);
您没有为实际字符串分配任何内存。您为 51 个指针分配内存,但没有为它们分配任何指向的内存。因此,您的getline()
调用试图读取未分配的内存,这会产生未定义的行为。在您的程序正常运行之前,所有的赌注都已取消。
您需要为这 51 个指针中的每一个分配一些内存,或者只使用静态数组。
正如所写的那样,你最后也没有free()
记忆你malloc()
,并且你没有检查返回值malloc()
来检查它是否真的给了你记忆。
像这样的东西是你想要的:
#include <stdio.h>
#include <stdlib.h>
#define ARRSIZE 51
#define STRSIZE 100
int main(void) {
int i;
char ** matrice = malloc(ARRSIZE * sizeof(*matrice));
if ( matrice == NULL ) {
fputs("Couldn't allocate memory!", stderr);
return EXIT_FAILURE;
}
for ( i = 0; i < ARRSIZE; ++i ) {
matrice[i] = malloc(STRSIZE);
if ( matrice[i] == NULL ) {
fputs("Couldn't allocate memory!", stderr);
return EXIT_FAILURE;
}
}
/* Rest of your program */
for ( i = 0; i < ARRSIZE; ++i ) {
free(matrice[i]);
}
free(matrice);
return 0;
}
编辑:如果你真的想使用getline()
,这里有一个可以工作的原始程序版本:
#include <stdio.h>
#include <stdlib.h>
#include <stdarg.h>
#include <string.h>
#include <ncurses.h>
int main(int argc, char const *argv[]) {
size_t nbytes = 0;
int i = 0, j = 0;
if ( argc < 2 ) {
fputs("You must specify a file name!", stderr);
return EXIT_FAILURE;
}
FILE *lab = fopen(argv[1], "r");
if ( lab == NULL ) {
fputs("Couldn't open file!", stderr);
return EXIT_FAILURE;
}
char **matrice = malloc(sizeof(char *) * 51);
if ( matrice == NULL ) {
fputs("Couldn't allocate memory!", stderr);
return EXIT_FAILURE;
}
for ( j = 0; j < 51; ++j ) {
matrice[j] = NULL;
}
while ( i < 50 &&
(getline(&matrice[i], &nbytes, lab) != -1) ) {
i++;
}
if ( i == 0 ) {
fputs("File was empty.", stderr);
free(matrice[0]);
free(matrice);
return EXIT_FAILURE;
}
printf("%s", matrice[0]);
getchar();
initscr(); /* Start curses mode */
cbreak(); /* Line buffering disabled */
keypad(stdscr, TRUE); /* We get F1, F2 etc.. */
noecho(); /* Don't echo() while we do getch */
printw(matrice[0]);
printw("dummy line\n");
refresh();
getch();
endwin();
for ( j = 0; j <= i; ++j ) {
free(matrice[j]);
}
free(matrice);
return EXIT_SUCCESS;
}
但是分配你自己的内存并使用fgets()
更好,当有一个非常好的标准方法时,没有使用非标准扩展的要求,即使你开始使用像 ncurses 这样的第三方库。