0

我有一个函数在一个函数中提示输入两个字符串值,然后返回这两个字符串。我需要在不同的功能中分别使用这两个。如何访问两者?

下面是提示功能:

string othello::get_user_move( ) const
{
    string column; 
    string row;

    display_message("Enter Column: ");
    getline(cin, column); // Take value one.
    display_message("Enter Row: ");
    getline(cin, row);  //Take value two.
    return column, row; //return both values.
}

这是尝试使用它的代码(它来自另一个让我们修改的游戏,这里的原始代码只获取一个值):

void othello::make_human_move( )
{
    string move;

    move = get_user_move( ); // Only takes the second value inputted.
    while (!is_legal(move))  // While loop to check if the combined 
                                     // column,row space is legal.
    {
        display_message("Illegal move.\n");
        move = get_user_move( );
    }
    make_move(move); // The two values should go into another function make_move
}

非常感谢您的帮助。

4

2 回答 2

4

这个

return column, row;

使用逗号运算符,评估column,丢弃结果,并返回 的值row。所以你的函数不会返回两个值。

如果要返回两个值,可以编写一个包含两个值的结构,或者使用std::pair<std::string, std::string>

#include <utility> // for std::pair, std::make_pair

std::pair<string, string> othello::get_user_move( ) const
{
  ...
  return std::make_pair(column, row);
}

然后

std::pair<std::string, std::string> col_row = get_user_move();
std::cout << col_row.first << "\n";  // prints column
std::cout << col_row.second << "\n"; // prints row
于 2013-06-13T21:28:36.223 回答
0

使用字符串数组 string[],将列存储到 string[0] 并将行存储到 string[1] 并传递字符串数组

于 2013-06-13T21:30:35.693 回答