2

我正在开发一个翻译/音译程序,该程序读取一个英语故事,然后使用英语/精灵语词典将其翻译成精灵语。在下面显示的代码之后,我解释了我收到的错误。

我有很多代码,我不确定是否应该全部发布,但我会发布我认为应该足够的内容。如果我的代码看起来很奇怪,请道歉 - 但我只是一个初学者。

有一个文件,一个带有两个类的头文件: TranslatorDictionary,以及一个用于实现类功能的cpp文件。

我有一个构造函数,可以将字典文件读入dictFileName并将英文单词复制到englishWord,将精灵词复制到elvishWord 中

Translator::Translator(const char dictFileName[]) : dict(dictFileName)
{  
    char englishWord[2000][50]; 
    char temp_eng_word[50];
    char temp_elv_word[50];
    char elvishWord[2000][50];
    int num_entries;

    fstream str;

    str.open(dictFileName, ios::in);
    int i;

    while (!str.fail())
      {
       for (i=0; i< 2000; i++)
          {
          str>> temp_eng_word;
          str>> temp_elv_word;
          strcpy(englishWord[i],temp_eng_word);
          strcpy(elvishWord[i],temp_elv_word);
           }

        num_entries = i;

      }

      str.close();

}

在主文件中,英文行被读入toElvish函数,并标记为单词数组temp_eng_words

在这个 toElvish 函数中,我正在调用另一个函数;translate,它读取temp_eng_words并应该返回精灵词:

char Translator::toElvish(char elvish_line[],const char english_line[]) 

{
    int j=0;

    char temp_eng_words[2000][50];
    //char temp_elv_words[2000][50]; NOT SURE IF I NEED THIS

    std::string str = english_line;
    std::istringstream stm(str);
    string word;
    while( stm >> word) // read white-space delimited tokens one by one 
    {
       int k=0;
       strcpy (temp_eng_words[k],word.c_str());

       k++;

    }   

    for (int i=0; i<2000;i++) // ERROR: out_s was not declared in this scope
    {
    Dictionary::translate (out_s,temp_eng_words[i]); // ERROR RELATES TO THIS LINE
    }

}

这是翻译功能:

char Dictionary::translate (char out_s[], const char s[])
{

 int i;

     for (i=0;i < numEntries; i++)
     {
        if (strcmp(englishWord[i], s)==0)
        break;
      }

        if (i<numEntries)
        strcpy(out_s,elvishWord[i]);
}

我的问题是,当我运行程序时,我收到错误' *out_s was not declared in this scope* '。

如果您已阅读所有这些内容,谢谢;任何建议/线索将不胜感激。:)

4

1 回答 1

0

正如您在下面的代码中看到的,您在函数中使用了 out_s,但尚未在函数中声明它。您可以在函数中使用全局变量或局部变量。我建议你读这个

char Translator::toElvish(char elvish_line[],const char english_line[]) {
int j=0;

char temp_eng_words[2000][50];
//char temp_elv_words[2000][50]; NOT SURE IF I NEED THIS

std::string str = english_line;
std::istringstream stm(str);
string word;
while( stm >> word) // read white-space delimited tokens one by one 
{
   int k=0;
   strcpy (temp_eng_words[k],word.c_str());

   k++;

}   

for (int i=0; i<2000;i++) // ERROR: out_s was not declared in this scope
{
Dictionary::translate (out_s,temp_eng_words[i]); // ERROR RELATES TO THIS LINE
}}
于 2019-07-21T10:12:28.617 回答