我知道,JsonCPP的ValueIterator不能直接在标准STL算法中使用。但
是否有某种“间接”方式在STL算法中使用它(可能通过Boost.Iterator或类似的方式)?我想要一些喜欢的东西:

Json::Value root = getJson(); //came from outside
std::vector<Json::Value> vec;

std::copy
  ( make_some_smart_iterator(...) // some iterator produced with start of root
  , make_some_smart_iterator(...) // some iterator produced with end of root
  , std::back_inserter(vec)
  );

最佳答案

有一个自boost::iterator_facade派生的自定义迭代器。

#include <boost/iterator/iterator_facade.hpp>

class JsonIter : public boost::iterator_facade
     <JsonIter, Json::ValueIterator, boost::forward_traversal_tag, Json::Value &>
{
public:
    JsonIter() {}
    explicit JsonIter(Json::ValueIterator iter) : m_iter(iter) {}
private:
    friend class boost::iterator_core_access;

    void increment() { ++m_iter; }
    bool equal(const JsonIter &other) const {return this->m_iter == other.m_iter;}
    Json::Value &dereference() const { return *m_iter; }
    Json::ValueIterator m_iter;
};

客户代码如下:
std::copy(JsonIter(root.begin()), JsonIter(root.end()), std::back_inserter(vec));

关于c++ - 将JsonCPP ValueIterator与STL算法一起使用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18724009/

10-10 21:21