1

我不知道如何解析 getline() 中的行。我想看看行中的每个字符。

因此,如果有人在标准输入中输入:“Hello”,我希望能够以这种方式访问​​ char 数组:

line[0] = 'H' 
line[1] = 'e' 
line[2] = 'l'
line[3] = 'l'
line[4] = 'o'
line[5] = '/0';

我看过 getchar(),但我想尝试使用 getline(),因为我觉得它更方便。我还查看了 scanf(),但它会跳过空格,并且不能像 getchar() 或 getline() 那样很好地解析输入。

这是尝试通过标准输入获取行的第一个字符的简单代码,但会导致段错误:

#include <stdio.h>                                                                                                
#include <stdlib.h>                                                                                               

int main()                                                                                                        
{                                                                                                                 
  int len;                                                                                                        
  int nbytes = 100;                                                                                               
  char *line = (char *) malloc (nbytes + 1);                                                                      

  while(getline(&line, &nbytes, stdin) > 0){                                                                      
    printf("first char: %s", line[0]);  //try and get the first char from input

    /**
     * other code that would traverse line, and look at other chars 
     */                                                                         
  };                                                                                                              

  return 0;                                                                                                       
} 

谢谢。

4

1 回答 1

4

使用%c格式说明符打印出单个字符。

编码

printf("first char: %s", line[0])

将尝试将其line[0]视为 char 数组的地址。如果您只想打印出第一个字符,请将其更改为

printf("first char: %c", line[0])
//                   ^

您可以在代码的其他部分考虑其他一些小的更改:

  • 你不需要从 malloc 中转换返回值
  • 你应该free(line)在你的while循环之后
于 2013-01-24T17:23:04.977 回答