天天看點

BOOST存儲 XML格式化問題

存儲後,格式錯亂

http://www.cnblogs.com/coding-my-life/p/4070201.html

boost::property_tree::xml_writer_settings<char> settings('\t',1);
write_xml(filename, pt,std::local(),settings);
           

意思是縮進1個\t,結果報了一大堆錯誤:

由于我沒有啟用C++11,改為這樣寫

boost::property_tree::xml_writer_settings<string> settings =
boost::property_tree::xml_writer_make_settings<string> (' ', 4);
write_xml( DEFAULTCONFIG,pt,std::locale(),settings );
           

問題解決。

存儲後,多許多空行

https://stackoverflow.com/questions/6572550/boostproperty-tree-xml-pretty-printing

I’m using boost::property_tree to read and write XML configuration files in my application. But when I write the file the output looks kind of ugly with lots of empty lines in the file. The problem is that it’s supposed to be edited by humans too so I’d like to get a better output.

As an example I wrote a small test program :

#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>

int main( void )
{
    using boost::property_tree::ptree;
    ptree pt;

    // reading file.xml
    read_xml("file.xml", pt);

    // writing the unchanged ptree in file2.xml
    boost::property_tree::xml_writer_settings<char> settings('\t', 1);
    write_xml("file2.xml", pt, std::locale(), settings);

    return 0;
}
           
file.xml contains:
<?xml version="1.0" ?>
<config>
    <net>
        <listenPort>10420</listenPort>
    </net>
</config>
           

after running the program file2.xml contains:

<?xml version="1.0" encoding="utf-8"?>
<config>



    <net>



        <listenPort>10420</listenPort>
    </net>
</config>
           

解決:

The solution was to add the trim_whitespace flag to the call to read_xml:

#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>

int main( void )
{
    // Create an empty property tree object
    using boost::property_tree::ptree;
    ptree pt;

    // reading file.xml
    read_xml("file.xml", pt, boost::property_tree::xml_parser::trim_whitespace );

    // writing the unchanged ptree in file2.xml
    boost::property_tree::xml_writer_settings<char> settings('\t', 1);
    write_xml("file2.xml", pt, std::locale(), settings);

    return 0;
}
           

The flag is documented here but the current maintainer of the library (Sebastien Redl) was kind enough to answer and point me to it.

read_xml("file.xml", pt, boost::property_tree::xml_parser::trim_whitespace );

繼續閱讀