#include <iostream>
#include <iomanip>
#include <conio.h>
#include <stdlib.h>
#include <string>
using namespace std;

int main()
{
    string text[39] = {"A","B","C","D","E","F","G","H","I","J","K","L","M",
                       "N","O","P","Q","R","S","T","U","V","W","X","Y","Z",
                       "1","2","3","4","5","6","7","8","9","0","Stop",",","?"};
    string code[39] = {".-","-...","-.-.","-..",".","..-","--.","....","..",".---","-.-",".-..","--",
                       "-.","---",".--.","--.-",".-.","...","-","..-","...-",".--","-..-","-.--","--..",
                       ".----","..---","...--","....-",".....","-....","--....","---..","----.","-----",".-.-.-","--..--","..--.."};
    string English, Morse, output_string;
    int option, string_size = 0, location;
    char again = 'y', letter;

    while(again == 'y')
    {
        system("cls");
        cout << "1 - Encode(Text to Morse)\n";
        cout << "2 - Decode(Morse Code to Text)\n";
        cout << "3 - Display the Morse Code\n";
        cout << "4 - Quit\n";
        cout << "Enter 1,2,3 or 4:";
        cin >> option;
        cin.ignore(256,'\n');
        system("cls");

        switch(option)
        {
            case 1:
                cout << "\nEnter a string with multiple words to encode:";
                getline(cin, English);
                system("cls");

                cout << "\nThe target string to be translated is:" << "\n";
                cout << English << "\n";

                string_size = English.length();
                for(int n = 0; n <= string_size-1; n++)
                {
                    letter = (char)English.at(n);
                    if(letter != ' ')
                    {
                        for(int t = 0; t <=39; t++)
                        {
                            if(letter == text[t])
                            {
                                cout << code[t] << " ";
                                break;
                            }
                        }
                    }
                    else if(letter == ' ')
                    {
                        cout << "\n";

                    }
                }
                getch();
                break;
        }
    }
}


我还没有完成它,但是我不知道为什么我不能运行if(letter == text[t]),它说这是一个错误。我该如何解决?而且我不知道将莫尔斯电码写成英语。我怎么知道用户输入的数组的位置?

错误信息:


  错误:“ operator ==”不匹配(操作数类型为“ char”和“ std :: string {aka std :: basic_string}”)|

最佳答案

for (int t = 0; t <= 39; t++)


您有39个项目从零索引开始,因此您的循环应上升到(但不包括)39

for (int t = 0; t < 39; t++)
{
    ...
}


您可以声明一个临时字符串以将每个字母复制到字符串。您还需要确保文本为大写:

letter = (char)English.at(n);
if (letter != ' ')
{
    for (int t = 0; t < 39; t++)
    {
        std::string temp;
        temp = toupper(letter);
        if (temp == text[t])
        {
            cout << code[t] << " ";
            break;
        }
    }
}

关于c++ - 英语到莫尔斯电码程序,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36673183/

10-10 21:36