char **
を期待して関数に渡す必要がある文字列のリストを作成しようとしています
このアレイを構築するにはどうすればよいですか?それぞれ100文字未満の2つのオプションを渡したいのですが。
char **options[2][100];
options[0][0] = 'test1';
options[1][0] = 'test2';
これはコンパイルされません。私は正確に何を間違っていますか? Cで2D文字配列を作成するにはどうすればよいですか?
C文字列は二重引用符で囲まれています。
const char *options[2][100];
options[0][0] = "test1";
options[1][0] = "test2";
あなたの質問とコメントを読み直しますが、私はあなたが本当にしたいことはこれだと思います:
const char *options[2] = { "test1", "test2" };
文字へのポインタを含む配列サイズ5を作成する方法:
char *array_of_pointers[ 5 ]; //array size 5 containing pointers to char
char m = 'm'; //character value holding the value 'm'
array_of_pointers[0] = &m; //assign m ptr into the array position 0.
printf("%c", *array_of_pointers[0]); //get the value of the pointer to m
文字の配列へのポインタを作成する方法:
char (*pointer_to_array)[ 5 ]; //A pointer to an array containing 5 chars
char m = 'm'; //character value holding the value 'm'
*pointer_to_array[0] = m; //dereference array and put m in position 0
printf("%c", (*pointer_to_array)[0]); //dereference array and get position 0
文字へのポインタを含む2D配列を作成する方法:
char *array_of_pointers[5][2];
//An array size 5 containing arrays size 2 containing pointers to char
char m = 'm';
//character value holding the value 'm'
array_of_pointers[4][1] = &m;
//Get position 4 of array, then get position 1, then put m ptr in there.
printf("%c", *array_of_pointers[4][1]);
//Get position 4 of array, then get position 1 and dereference it.
文字の2D配列へのポインタを作成する方法:
char (*pointer_to_array)[5][2];
//A pointer to an array size 5 each containing arrays size 2 which hold chars
char m = 'm';
//character value holding the value 'm'
(*pointer_to_array)[4][1] = m;
//dereference array, Get position 4, get position 1, put m there.
printf("%c", (*pointer_to_array)[4][1]);
//dereference array, Get position 4, get position 1
人間が複雑なC/C++宣言をどのように読むべきかを理解するために、これを読んでください: http://www.programmerinterview.com/index.php/c-cplusplus/c-declarations/
char **options[2][100];
char
へのポインターへのポインターのsize-100配列のsize-2配列を宣言します。 1つ削除する必要があります*
。また、文字列リテラルを二重引用符で囲みます。
あなたが最初にやろうとしていたのは、ポインタではなく文字のみの配列を作ることだったと思います:
char options[2][100];
options[0][0]='t';
options[0][1]='e';
options[0][2]='s';
options[0][3]='t';
options[0][4]='1';
options[0][5]='\0'; /* NUL termination of C string */
/* A standard C library function which copies strings. */
strcpy(options[1], "test2");
上記のコードは、文字を含めるために取っておいたメモリ内の文字値を設定する2つの異なる方法を示しています。