2017-08-12 47 views
1

下面是我在我的代碼中解析的json數組,以便填充parameterList數組數據,但不知道爲什麼它不起作用,我無法訪問嵌套數組paramList的元素。如何在C++中使用Boost來訪問netsted json數組元素

{ 
"packageList" :[ { 
      "arcValue" : "Bond", 
      "parameterList" : [ {"key1" : "value1", 
         "key2" : "value2", 
         "key3" : "value3" 
           }, 

         {"key4" : "value4", 
         "key5" : "value5", 
         "key6" : "value6" 


         } 
        ] 


      }, 

         { 
      "arcValue" : "Bond1", 
      "parameterList" : [ {"max" : "value1", 
         "rgb" : "value2", 
         "depth" : "value3" 
           }, 

           {"max1" : "value4", 
           "max2" : "value5", 
           "max3" : "value6" 

           } 
          ] 


      } 

       ]  

}   

下面是相同的代碼片段:

#include <boost/property_tree/json_parser.hpp> 
#include <boost/property_tree/ptree.hpp> 
#include <map> 
#include <iostream> 
#include<list> 
#include <vector> 
using boost::property_tree::ptree; 

struct Config { 
    std::string name; 
    std::list<std::vector<std::string>> parameters; 
}; 

std::list<std::vector<std::string>> parse_config(std::string const& fname) { 

    boost::property_tree::ptree pt; 
    std::ifstream file(fname); 
    boost::property_tree::read_json(file, pt); 
    Config config; 

    for (auto& v : pt.get_child("packageList")) 
    { 
     auto& node = v.second; 

     config.name = node.get("arcValue", ""); 
     std::cout<<config.name; 

     for(auto &param :node.get_child("parameterList")) 
     { 
      config.parameters.push_back({config.name,param.first,param.second.get_value("")}); 

     } 

    } 

    return config.parameters; 
} 


int main() { 

    std::list<std::vector<std::string>> vec = parse_config("sample2"); 

for (auto &v : vec) 
{ 

    for (auto const &i : v) 

     std::cout<<i<<std::endl; 

} 


} 

基本上在上面的代碼中的所有與arcValue(即債券,Bond1)相關PARAM需要在向量的列表被插入和以後同樣需要通過API接口插入到配置文件中。 /債券相關的信息需要從向量的列表插入到邦德配置文件/

structure.svc.parameters.push_back({"Bond","value1","value2","value3"}); 
structure.svc.parameters.push_back({"Bond","value4","value5","value6"}); 

/Bond1相關的參數的信息需要從列表中插入Bond1配置文件/

structure.svc.parameters.push_back({"Bond1","value1","value2","value3"}); 
structure.svc.parameters.push_back({"Bond1","value4","value5","value6"}); 

除了目前的實施,Bond和Bond1都與參數一起被插入到同一個列表中。任何人都可以建議這種正確的方法,還是可以用更好的方法來實現? 根據我的要求,Bond和Bond1參數需要通過API接口插入到單獨的配置文件中,但在當前的實現中,兩者都是棍棒式的。

回答

1

您只需要重複一次以獲取嵌套數組數據以填充嵌套數組。 這是代碼片段。

for(auto &param : node.get_child("parameterList")) 
{ 
    for(const auto& itr : param.second) 
    { 
     config.parameters.push_back({config.name,itr.second.get_value("")}); 
    } 
} 

下面是輸出:

BondBond1Bond 
value1 
Bond 
value2 
Bond 
value3 
Bond 
value4 
Bond 
value5 
Bond 
value6 
Bond1 
value1 
Bond1 
value2 
Bond1 
value3 
Bond1 
value4 
Bond1 
value5 
Bond1 
value6 
+0

感謝更新。除此之外,正如我在有關設計策略的問題中所討論的那樣,插入應該採用四列和多行的順序(即.Bond「,」value1「,」value2「,」value3「)。對於相同的。 – user2997518