0

私は小さなシェルであるクラスのacプログラムを書いています。ユーザーがコマンドを入力すると、コードはexec()関数を使用してコマンドを実行します。

すべての作業が子プロセスで行われるように、プロセスにフォークが必要です。唯一の問題は、子が正しく終了せず、コマンドを実行しないことです。フォークなしでコードを実行すると、コマンドが完全に実行されます。

execv問題は、呼び出しで使用する文字列を作成しているところから発生しているようです。これは、私が呼び出すコード行ですstrcpy。私がそれをコメントすると、物事はうまくいきます。strncat同じ問題でに変更してみました。私はこれを引き起こしているものについて無知であり、どんな助けも歓迎します。

#include <sys/wait.h>
#include <vector>
#include <sstream>
#include <cstdlib>
#include <stdio.h>
#include <iostream>
#include <string.h>
#include <unistd.h>

using namespace std;

string *tokenize(string line);
void setCommand(string *ary);

string command;
static int argument_length;

int main() {
    string argument;
    cout << "Please enter a unix command:\n";
    getline(cin, argument);
    string *ary = tokenize(argument);

    //begin fork process
    pid_t pID = fork();
    if (pID == 0) { // child
        setCommand(ary);

        char *full_command[argument_length];
        for (int i = 0; i <= argument_length; i++) {
            if (i == 0) {
                full_command[i] = (char *) command.c_str();
                //  cout<<"full_command " <<i << " = "<<full_command[i]<<endl;
            } else if (i == argument_length) {
                full_command[i] = (char *) 0;
            } else {
                full_command[i] = (char *) ary[i].c_str();
            //  cout<<"full_command " <<i << " = "<<full_command[i]<<endl;
            }
        }    

        char* arg1;
        const char *tmpStr=command.c_str();        
        strcpy(arg1, tmpStr);
        execv((const char*) arg1, full_command);
        cout<<"I'm the child"<<endl;
    } else if (pID < 0) { //error
        cout<<"Could not fork"<<endl;
    } else { //Parent
        int childExitStatus;
        pid_t wpID = waitpid(pID, &childExitStatus, WCONTINUED);
        cout<<"wPID = "<< wpID<<endl;
        if(WIFEXITED(childExitStatus))
            cout<<"Completed "<<ary[0]<<endl;
        else
            cout<<"Could not terminate child properly."<<WEXITSTATUS(childExitStatus)<<endl;
    }

    // cout<<"Command = "<<command<<endl;
    return 0;
}

string *tokenize(string line) //splits lines of text into seperate words
{
    int counter = 0;
    string tmp = "";
    istringstream first_ss(line, istringstream::in);
    istringstream second_ss(line, istringstream::in);

    while (first_ss >> tmp) {
        counter++;
    }

    argument_length = counter;
    string *ary = new string[counter];
    int i = 0;
    while (second_ss >> tmp) {
        ary[i] = tmp;
        i++;
    }

    return ary;
}

void setCommand(string *ary) {
    command = "/bin/" + ary[0];

// codeblock paste stops here
4

1 に答える 1

2

あなたが言った:

strcpy を呼び出すコード行です。

文字列を保存するためのメモリが割り当てられていません。strcpy の最初のパラメーターは宛先ポインターであり、そのポインターには初期化されていない値を使用しています。strcpy の man ページから:

char *strcpy(char *s1, const char *s2);

stpcpy() および strcpy() 関数は、文字列 s2 を s1 にコピーします (終了文字 `\0' を含む)。

他にも問題があるかもしれませんが、これは私が最初に取り上げたものです。

于 2011-04-17T04:37:35.620 に答える