我有一个C ++函数,它有5个参数,所有参数都有默认值。如果我传入前三个参数,程序将为最后两个参数分配一个默认值。有没有办法传递3个参数,并在中间跳过一个,给出值,比如第一,第二和第五个参数?
答案 0 :(得分:5)
不直接,但您可以使用std :: bind:
执行某些操作int func(int arg1 = 0, int arg2 = 0, int arg3 = 0);
// elsewhere...
using std::bind;
using std::placeholders::_1;
auto f = bind(func, 0, _1, 0);
int result = f(3); // Call func(0, 3, 0);
缺点当然是您要重新指定默认参数。我相信其他人会提出一个更聪明的解决方案,但如果你真的很绝望,这可能会奏效。
答案 1 :(得分:2)
使用经典的5参数函数,没有办法只给它3或4.你只能用默认参数写3或4,但最后你会得到一个带5个参数的函数调用。
如果有多个参数具有相同类型,则系统也存在问题。
例如,如果您有foo(int a=4,int b=5)
并致电foo(10)
,您如何知道要拨打foo(10,5)
或foo(4,10)
?
使用C ++ 11元组和Named parameters idiom,你可以稍微欺骗它。
#include <iostream>
#include <functional>
#include <tuple>
#include <string>
struct f_
{
private:
typedef std::tuple<int,int,double> Args;
//default arguments
static constexpr const Args defaults = std::make_tuple(10,52,0.5);
Args args;
public :
f_():args(defaults)
{}
template <int n,class T> f_& setArg(T&& t)
{
std::get<n>(args) = t;
return *this;
}
void operator()()
{
return (*this)(std::move(args));
}
void operator()(Args&& a)
{
int n1=std::get<0>(a);
int n2=std::get<1>(a);
double n3=std::get<2>(a);
std::cout<<n1<<" "<<n2<<" "<<n3<<std::endl;
}
};
#define set(n,v) setArg<n>((v))
int main()
{
//f_().set<1>(42).set<3>("foo") ();
f_().setArg<1>(42)(); //without Macro
f_().set(0,666).set(1,42)(); //with Macro
f_()(); //without any parameters
f_()(std::forward_as_tuple(-21,-100,3.14)); //direct call
}
另一种方法是使用描述为there
的std :: bind答案 2 :(得分:0)
不,这是不可能的。
但是我建议您应该使用参数'数据类型数组来实现您提供的方案。 您也可以重载。如果参数的数据类型不同,那么您应该定义一个具有所需参数作为成员的类。传递该类的对象。它不仅可以解决您的问题,而且还可以从可维护性的角度进行推荐。
答案 3 :(得分:-2)
可能这是你可能正在寻找的东西,只是一种解决方法!
/*
Function f() is called by passing 2 arguments. So to make sure that these 2 arguments are treated as
first and third, whereas the second and the fourth are taken as defaults:
SOLUTION 1 : using recursive call
*/
#include <iostream>
using namespace std;
void f( int = 10,int = 20, int = 30, int = 40);
static int tempb;
static int flag = 1;
int main()
{
cout << "calling function \n";
//f();
f(12,39);
}
void f( int a,int b,int c,int d )
{
//static int flag = 1;
//f();
if( flag == 1 )
{
--flag;
f(); //recursive call to intialize the variables a,b,c,d as per the prototype
c = b;
b = tempb;
//cout << c;
}
else
{
tempb = b;
return;
}
cout << endl <<"a = " << a << endl << "b = "<< b << endl << "c = " << c << endl << "d = " << d << endl;
}
以下是另一种解决方法,也可能有帮助!
/*
Function f() is called by passing 2 arguments. So to make sure that these 2 arguments are treated as
first and third, whereas the second and the fourth are taken as defaults:
SOLUTION 2 : using static variable
*/
#include <iostream>
using namespace std;
void f( int = 10,int = 20, int = 30, int = 40);
static int tempb;
int main()
{
f();
f(12,39);
}
void f( int a,int b,int c,int d)
{
static int flag = 1;
if( flag == 1 )
{
--flag;
tempb = b;
return;
}
else
{
c = b;
b = tempb;
}
cout << "a = " << a << endl << "b = " << b << endl << "c = " << c << endl << "d = " << d;
}