使用getline()读取单引号

时间:2013-11-04 18:27:08

标签: c++ getline

我正在做UVa问题10082,我正在尝试读取一些示例输入来测试我的解决方案。但是,当我在文字'''CCC中阅读时,它会输出;;XXX。请注意,只有2个分号,因为输入中有3个单引号,因此应该有3个分号。为什么getline()会忽略第一个单引号?

这是我的代码:

#include <iostream>
#include <string>

using namespace std;

char mapToWertyu(char c)
{
    char newC = c;
    char wertyu[] = {'1','2','3','4','5','6','7','8','9','0','-','=',
                     'Q','W','E','R','T','Y','U','I','O','P','[',']','\\',
                     'A','S','D','F','G','H','J','K','L',';','\'',
                     'Z','X','C','V','B','N','M',',','.','/'};
    char qwerty[] = {'~','1','2','3','4','5','6','7','8','9','0','-','=',
                     'Q','W','E','R','T','Y','U','I','O','P','[',']','\\',
                     'A','S','D','F','G','H','J','K','L',';','\'',
                     'Z','X','C','V','B','N','M',',','.','/'};
    if(c=='A' || c=='Q' || c=='Z')
        return c;

    for(int i = 0; i < 47; ++i)
    {
        if(wertyu[i]==c)
        {
            newC = qwerty[i];
            break;
        }
    }
    return newC;
}

int main()
{
    string input;
    while(cin.peek()!=-1)
    {
        getline(cin,input);
        for(int i = 0; i < input.length(); ++i)
        {
            if(input[i]!='\\')
                cout << mapToWertyu(input[i]);
        }
        cin.ignore(1,'\n');
        cout << endl;
    }
    return 0;
}

1 个答案:

答案 0 :(得分:1)

因为你告诉它。如果不忽略一个角色,你应该做什么std::cin.ignore( 1, '\n' )std::getline 提取'\n'字符,即使它没有插入 字符串。

对于其他人,你没有做正确的输入。对于初学者,std::cin.peek()将返回一个整数 范围[0...UCHAR_MAX]EOFEOF通常被定义为 -1,但肯定无法保证。但更普遍的是: 为什么不使用通常的习语:

while ( std::getline( std::cin, input ) ) {
    //  ...
}

每次你都在mapToWertyu构建数组 叫它。这绝对不是你想要做的。你可以 只使用一个静态数组,由字符直接索引, 这确实使程序依赖于编码。至 但是使用两个数组:

static char const wertyu[] = { ... };
static char const qwerty[] = { ... };
char const* pos = std::find( std::begin( wertyu ), std::end( wertyu ), c );
return pos == std::end( wertyu )
    ? c
    : qwerty[ pos - std::begin( wertyu ) ];

以更简单的方式解决问题。 (而且没有 需要特殊情况'A''Q''Z'。如果你不想要 转码,只是不要把它们放在桌子上。)

或者...

struct Map
{
    char from;
    char to;
};
static Map const map[] =
{
    { '1', '~' },
    { '2', '1' },
    //  ...
};
Map const* pos = std::find_if( std::begin( map ), std::end( map ),
                    []( char ch ) { return c == ch; } );
return pos == std::end( map )
    ? c
    : pos->to;

这样做的好处是可以使精确的映射可见。

或者,如果你100%确定你永远不必担心线程:

struct Map
{
    char from;
    char to;
};
static Map map[] =
{
    { '1', '~' },
    { '2', '1' },
    //  ...
    {  0,   0  }
};
Map* sentinal = std::end( map ) - 1;
sentinal->to = sentinal->from = c;
Map const* pos = std::find_if( std::begin( map ), std::end( map ),
                    []( Map const& entry ) { return c == entry.from; } );
return pos->to;

通过插入sentinal,您可以确定该条目 被发现。

或者您可以对地图进行排序,并使用std::lower_bound

另外,为什么在映射时调用函数mapToWertyu 对于自由?