簡體   English   中英

如何將char *分配給字符數組?

[英]How to assign char * to character array?

我有以下代碼:

int main(){

    char sentence[] = "my name is john";
    int i=0;
    char ch[50];
    for (char* word = strtok(sentence," "); word != NULL; word = strtok(NULL, " "))
    {
        // put word into array
        //  *ch=word;
        ch[i]=word;
        printf("%s \n",ch[i]);
        i++;

        //Above commeted part does not work, how to put word into character array ch
    }
    return 0;
}

我收到錯誤:錯誤: invalid conversion from 'char*' to 'char' [-fpermissive]我想將每個單詞存儲到數組中,有人可以幫忙嗎?

要存儲一整套單詞,您需要一個單詞數組,或者至少是一個指向每個單詞的指針數組。

OP 的ch是一個字符數組,而不是一個指向字符的指針數組。

一種可能的方法是:

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

#define WORDS_MAX (50)

int main(void)
{
  int result = EXIT_SUCCESS;

  char sentence[] = "my name is john";
  char * ch[WORDS_MAX] = {0}; /* This stores references to 50 words. */

  char * word = strtok(sentence, " "); /* Using the while construct, 
                                          keeps the program from running 
                                          into undefined behaviour (most 
                                          probably crashing) in case the 
                                          first call to strtok() would 
                                          return NULL. */
  size_t i = 0;
  while ((NULL != word) && (WORDS_MAX > i))
  {
    ch[i] = strdup(word); /* Creates a copy of the word found and stores 
                             it's address in ch[i]. This copy should 
                             be free()ed if not used any more. */
    if (NULL == ch[i]) 
    {
      perror("strdup() failed");
      result = EXIT_FAILURE;
      break;
    }

    printf("%s\n", ch[i]);
    i++;

    word = strtok(NULL, " ")
  }

  return result;
}

暫無
暫無

聲明:本站的技術帖子網頁,遵循CC BY-SA 4.0協議,如果您需要轉載,請注明本站網址或者原文地址。任何問題請咨詢:yoyou2525@163.com.

 
粵ICP備18138465號  © 2020-2024 STACKOOM.COM