私はCでこれを行う方法が完全にはわかりません:
char* curToken = strtok(string, ";");
//curToken = "ls -l" we will say
//I need a array of strings containing "ls", "-l", and NULL for execvp()
これをどうやってやるの?
既にstrtok
を調べているので、同じパスを続けて、スペース(' '
)を区切り文字として使用し、realloc
として何かを使用して、execvp
に渡す要素を含む配列のサイズを増やします。
以下の例を参照してください。ただし、strtok
は渡される文字列を変更することに注意してください。これを望まない場合は、strcpy
または同様の関数を使用して、元の文字列のコピーを作成する必要があります。
char str[]= "ls -l";
char ** res = NULL;
char * p = strtok (str, " ");
int n_spaces = 0, i;
/* split string and append tokens to 'res' */
while (p) {
res = realloc (res, sizeof (char*) * ++n_spaces);
if (res == NULL)
exit (-1); /* memory allocation failed */
res[n_spaces-1] = p;
p = strtok (NULL, " ");
}
/* realloc one extra element for the last NULL */
res = realloc (res, sizeof (char*) * (n_spaces+1));
res[n_spaces] = 0;
/* print the result */
for (i = 0; i < (n_spaces+1); ++i)
printf ("res[%d] = %s\n", i, res[i]);
/* free the memory allocated */
free (res);
res[0] = ls
res[1] = -l
res[2] = (null)
これはstrtokの使用方法の例です MSDNから借用しています。
そして、関連するビット、それを複数回呼び出す必要があります。 token
char *は、配列に入れる部分です(その部分を把握できます)。
char string[] = "A string\tof ,,tokens\nand some more tokens";
char seps[] = " ,\t\n";
char *token;
int main( void )
{
printf( "Tokens:\n" );
/* Establish string and get the first token: */
token = strtok( string, seps );
while( token != NULL )
{
/* While there are tokens in "string" */
printf( " %s\n", token );
/* Get next token: */
token = strtok( NULL, seps );
}
}