如何在c中将一个char数组拆分成两种不同的类型?

How to split a char array into two diferent types in c?

所以,我需要使用 stdin 读取一个包含两列的文件,第一列是字符,第二列是整数。

输入文件是这样的:

i 10
i 20
i 30
i 40
i 50
i 45
r 48

我目前的代码:

int main(){
    char line[MAX];
    int n = 0;
    while(fgets(line, MAX, stdin)){
            printf("string is: %s\n",line);

    }
    return 0;

输出结果为:

string is: i 10

string is: i 20

string is: i 30

string is: i 40

string is: i 50

string is: i 45

string is: r 48
 

所以,我现在需要做的是为第一列分配一个字符数组,为第二列分配一个整数数组。像 int V[size] = [10,20,30,40,50,45,48] 和 char W[size] = [我,我,我,我,我,我,r]。我该怎么做?

使用sscanf()解析字符串并提取你想要的数据。

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

#define MAX 500

int main(void)
{
  int num[MAX] = {0}, lines = 0;
  char line[MAX] = {0}, sym[MAX] = {0};

  while (fgets(line, MAX, stdin))
  {
    if (lines >= MAX) /* alternative check comments */
    {
      fprintf(stderr, "arrays full\n");
      break; /* break or exit */
    }

    if (sscanf(line, "%c %d", &sym[lines], &num[lines]) != 2) /* check return value for input error */
    {
      /* handle error */
      exit(EXIT_FAILURE);
    }

    lines++;
  }

  for (int i = 0; i < lines; i++)
  {
    printf("char: %c | num: %d\n", sym[i], num[i]);
  }

  exit(EXIT_SUCCESS);
}

您还可以使用 feof()ferror() 来确定 fgets() 是否失败或您达到了 EOF