Boost如何能够实现这样的语法?

时间:2015-12-31 09:39:14

标签: c++ boost

http://www.boost.org/doc/libs/1_58_0/doc/html/program_options/tutorial.html

// Declare the supported options.
.............................................
desc.add_options()
    ("help", "produce help message")
    ("compression", po::value<int>(), "set compression level")
;

是通过运营商重载吗?

如果是,那么哪个运营商超负荷?

您可以使用简单的非Boost示例程序模仿此语法吗?

2 个答案:

答案 0 :(得分:7)

desc.add_options()返回一个重载operator()的对象。这意味着可以像调用函数一样调用对象。

更具体地说,options_descriptions::add_options()会返回options_description_easy_init个对象。该对象有一个operator(),它返回对*this的引用:operator()的任何调用都会返回对options_description_easy_init对象本身的引用,因此可以再次调用它。

您可以找到options_descriptionsoptions_description_easy_init here的源代码。

要自己复制,你可以这样做:

#include <iostream>

class callable {
public:
    class callable &operator()(const std::string &s) {
        std::cout << s << std::endl;
        return *this;
    }
};

callable make_printer() {
    return callable();
}

int main() {
    make_printer()("Hello, World!")("Also prints a second line");
    return 0;
}

答案 1 :(得分:3)

希望这是不言自明的

#include <iostream>

class funky_counter
{
public:
    funky_counter() : value_(0) {}

public:
    funky_counter & increment(int value)
    {
        value_ += value;
        return *this;
    }

public:
    funky_counter & operator()(int value)
    {
        return this->increment(value);
    }

public:
    int get_value() 
    { 
        return value_; 
    }

private:
    int value_;
};

int main(void)
{
    funky_counter counter;

    counter.increment(2) (5) (7);

    std::cout <<  counter.get_value() << std::endl;
}