|  | SerializationDerivation from an Existing Archive | 
This derivation from the xml archive writes output in xml without the extra information required to read the data back into the application. It might be used to export one's data as simple xml for other applications or for logging data while debugging.
To this end it is derived from the included xml archive and the save functions for some types are specialized for this application.
The serialization library is implemented using the Curiously Recurring Template Pattern (CRTP). Also, all common code is factored out into separate modules to minimize code repetition. This makes derivation from an existing archive less straight forward than it would otherwise be.
This example illustrates several issues that have to be addressed when doing something like this
xml_oarchive_impl 
        NOT xml_oarchive xml_oarchive really a shorthand name for 
xml_oarchive_impl<xml_oarchive>.  So we should derive
from xml_oarchive_impl<log_archive> rather
than xml_oarchive.
class log_archive :
    // don't derive from xml_oarchive !!!
    public xml_oarchive_impl<log_archive>
{
...
log_archive between the <>
This is required so that base classes can downcast their this pointer
to the most derived class.  This is referred to as Curiously Recurring
Template Pattern (CRTP) [11].  
It is used to implement static polymorphism.
    
    friend class detail::common_oarchive<log_archive>;
    friend class basic_xml_oarchive<log_archive>;
    friend class boost::serialization::save_access;
save_override 
for saving primitives. Usage of a function name in a derived class
"hides" similarly named functions of the base class.  That is, 
function name overloading doesn't automatically
include base classes.  To address this, we can use:
    using xml_oarchive_impl<derived_t>::save;
    void save(const unsigned int t);
    ...
    // default fall through for any types not specified here
    template<class T>
    void save(const T & t){
        xml_oarchive_impl<derived_t>::save(t);
    }
    void save(const unsigned int t);
    ...
// explicitly instantiate for this type of binary stream
#include <boost/archive/basic_binary_oprimitive.ipp>
xml_oarchive.
Specifically, it would look something like:
template<class Archive>
class log_archive_impl :
    // don't derive from xml_oarchive !!!
    public xml_oarchive_impl<Archive>
{
    ...
);
// do not derived from this class !!!
class log_archive : 
    public log_archive_impl<log_archive>
{
public:
    log_archive(std::ostream & os, unsigned int flags = 0) :
        log_archive_impl<xml_oarchive>(os, flags)
    {}
};
© Copyright Robert Ramey 2002-2004. Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)