web-dev-qa-db-ja.com

2D文字/文字列配列を保存して印刷する方法は?

トラ、ライオン、キリンという言葉があるとしましょう。

charループとforを使用して2次元のscanf配列に格納し、forループを使用して単語を1つずつ出力するにはどうすればよいですか?

何かのようなもの

for(i=0;i<W;i++)
{
    scanf("%s",str[i][0]);  //to input the string
}

PSこのような基本的な質問をして申し訳ありませんが、Googleで適切な答えを見つけることができませんでした。

4
guitar_geek

まず、文字列の配列を作成する必要があります。

char arrayOfWords[NUMBER_OF_WORDS][MAX_SIZE_OF_Word];

次に、文字列を配列に入力する必要があります

int i;
for (i=0; i<NUMBER_OF_WORDS; i++) {
    scanf ("%s" , arrayOfWords[i]);
}

最後にそれらを印刷するためにorederで使用する

for (i=0; i<NUMBER_OF_WORDS; i++) {
    printf ("%s" , arrayOfWords[i]);
}
8
Ran Eldan
char * str[NumberOfWords];

str[0] = malloc(sizeof(char) * lengthOfWord + 1); //Add 1 for null byte;
memcpy(str[0], "myliteral\0");
//Initialize more;

for(int i = 0; i < NumberOfWords; i++){
    scanf("%s", str[i]);
 } 
2
Magn3s1um

あなたはこのようにすることができます。

1)文字ポインタの配列を作成します。

2)メモリを動的に割り当てます。

3)scanfを介してデータを取得します。簡単な実装は以下のとおりです

#include<stdio.h>
#include<malloc.h>

int main()
{
    char *str[3];
    int i;
    int num;
    for(i=0;i<3;i++)
    {
       printf("\n No of charecters in the Word : ");
       scanf("%d",&num);
       str[i]=(char *)malloc((num+1)*sizeof(char));
       scanf("%s",str[i]);
    }
    for(i=0;i<3;i++)  //to print the same 
    {
      printf("\n %s",str[i]);    
    }
}
2
Santhosh Pai
#include<stdio.h>
int main()
{
  char str[6][10] ;
  int  i , j ;
  for(i = 0 ; i < 6 ; i++)
  {
    // Given the str length should be less than 10
    // to also store the null terminator
    scanf("%s",str[i]) ;
  }
  printf("\n") ;
  for(i = 0 ; i < 6 ; i++)
  {
    printf("%s",str[i]) ;
    printf("\n") ;
  }
  return 0 ;
}
1
slothfulwave612