处理构造函数的condtional参数

时间:2015-05-16 19:52:41

标签: c++ constructor

我的程序以这种方式工作:如果用户输入数据路径参数,它将使用该路径。如果没有,它使用程序的当前路径。

构造函数是Server(QString path)

显然,这不起作用:

if(!isDefaultPath)
   Server server(userPath);
else
   Server server(programPath);
server.doSmth();

目前,我喜欢这个

Server serverDefault(programPath);
Server serverCustomized(userPath);
if(!isDefaultPath)
       serverCustomized.doSmth();
    else
       serverDefault.doSmth();

但我觉得这不好。有没有更好的方法来做到这一点?

2 个答案:

答案 0 :(得分:5)

最明显的方式是

Server server(isDefaultPath? programPath : userPath )

另请注意,即使您有一个更高级的逻辑不适合简单的?:运算符,您也可以始终实现它以查找所需的参数作为字符串,然后才初始化构造函数:

path = programPath;
if (....) path = ...
else ...
path = path + ...;

Server server(path);

如果构造函数调用完全不同,则使用指针

std::unique_ptr pServer;
if (...) pServer = std::make_unique<Server>(new Server("a", "b"));
else pServer = std::make_unique<Server>(new Server(137));
Server server = *pServer;
...

答案 1 :(得分:2)

您可以使用三元运算符:

Server server(isDefaultPath ? programPath : userPath);