在C ++中返回多个值和默认参数

时间:2011-09-09 14:55:59

标签: c++

我正在尝试创建一个接受1或3个参数的函数,并返回1或3个值(基于传递的参数)。

如果传递了1个参数,则该函数使用其他2个参数的默认值。 如果传递了3个参数,那么它将使用这些值。

bool foo( bool x, int &y = 0, int &z = 0) {

x = true; y = y + 1; z = z + 2;

return x;

}

这在C ++中是可行的还是我与Java函数混淆。

5 个答案:

答案 0 :(得分:4)

你可以用两个功能来做到这一点:

bool foo( bool x, int &y, int &z) {
    x = true; // this isn't really what it does, is it?
    y = y + 1; z = z + 2;
    return x;
}

bool foo(bool x)
{
    int a = 0, b = 0;
    return foo(x,a,b);
}

答案 1 :(得分:1)

任何函数始终返回仅1值。不能直接返回2个或更多值。

间接地,当您通过引用传递参数时会发生这种情况。由于参考传递了两个参数&y&z,因此可以直接反映对它们的更改。

答案 2 :(得分:1)

您可以通过引用传递来实现此目的。

通过这样做,您正在制作一个指向内存位置的方法。 更改内存位置后,您的值将更改。

链接 http://publib.boulder.ibm.com/infocenter/comphelp/v8v101/index.jsp?topic=%2Fcom.ibm.xlcpp8a.doc%2Flanguage%2Fref%2Fcplr233.htm

答案 3 :(得分:1)

你不能这样做。但是,您可以使用不同数量的参数重载该函数,并返回std::vectorstd::list结果。

修改

更复杂,你可以使用元组:

typedef boost::tuple<bool,int,int> my_data_t;
my_data_t my_tuple(true, 1, 0);

然后,您可以像这样定义您的函数:

bool foo( my_data_t & t)
{
    t.get<0>() = true;
    int& y = t.get<1>();
    y = y+1;
    int& z = t.get<2>();
    z = z+2;
    return t.get<0>();
}

并以这种方式称呼它:

bool result = foo ( my_tuple );

然后,在该功能之外,您会看到my_tuple.get<1>()(对应于y)为2(1 + 1)。

答案 4 :(得分:0)

我不确定您要做什么,但您可以使用boost::tuple返回多个不同类型的值。

boost::tuple<bool, int, int> foo( bool x, int y = 0, int z = 0) {

    x = true; y = y + 1; z = z + 2;

    return boost::make_tuple(x, y, z);

}

int main() {
    boost::tuple<bool, int, int> result = foo(x, 1, 2);

    std::cout << boost::get<0>(result) << boost::get<1>(result) << boost::get<2>(result);
}

如果只想传递x,如果只传递1个参数,也可以使用boost::optional

顺便说一下。 tuple也可以在C ++ 11中使用。