VirtualBox

source: vbox/trunk/include/VBox/settings.h@ 12653

Last change on this file since 12653 was 12653, checked in by vboxsync, 16 years ago

various files: doxygen fixes.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Date Revision Author Id
File size: 49.7 KB
Line 
1/** @file
2 * Settings File Manipulation API.
3 */
4
5/*
6 * Copyright (C) 2007 Sun Microsystems, Inc.
7 *
8 * This file is part of VirtualBox Open Source Edition (OSE), as
9 * available from http://www.virtualbox.org. This file is free software;
10 * you can redistribute it and/or modify it under the terms of the GNU
11 * General Public License (GPL) as published by the Free Software
12 * Foundation, in version 2 as it comes in the "COPYING" file of the
13 * VirtualBox OSE distribution. VirtualBox OSE is distributed in the
14 * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
15 *
16 * The contents of this file may alternatively be used under the terms
17 * of the Common Development and Distribution License Version 1.0
18 * (CDDL) only, as it comes in the "COPYING.CDDL" file of the
19 * VirtualBox OSE distribution, in which case the provisions of the
20 * CDDL are applicable instead of those of the GPL.
21 *
22 * You may elect to license modified versions of this file under the
23 * terms and conditions of either the GPL or the CDDL or both.
24 *
25 * Please contact Sun Microsystems, Inc., 4150 Network Circle, Santa
26 * Clara, CA 95054 USA or visit http://www.sun.com if you need
27 * additional information or have any questions.
28 */
29
30#ifndef ___VBox_settings_h
31#define ___VBox_settings_h
32
33#include <iprt/cdefs.h>
34#include <iprt/cpputils.h>
35#include <iprt/string.h>
36
37#include <list>
38#include <memory>
39#include <limits>
40
41/* these conflict with numeric_digits<>::min and max */
42#undef min
43#undef max
44
45#include <iprt/assert.h>
46#include <iprt/string.h>
47#include <iprt/mem.h>
48#include <iprt/time.h>
49
50#include <stdarg.h>
51
52
53/** @defgroup grp_settings Settings File Manipulation API
54 * @{
55 *
56 * The Settings File Manipulation API allows to maintain a configuration file
57 * that contains "name-value" pairs grouped under named keys which are in turn
58 * organized in a hierarchical tree-like structure:
59 *
60 * @code
61 * <RootKey>
62 * <Key1 attr1="value" attr2=""/>
63 * <Key2 attr1="value">
64 * <SubKey1>SubKey1_Value</SubKey1>
65 * <SubKey2 attr1="value">SubKey2_Value</SubKey2>
66 * Key2_Value
67 * </Key2>
68 * </RootKey>
69 * @endcode
70 *
71 * All strings this API manipulates with are zero-terminated arrays of @c char
72 * in UTF-8 encoding. Strings returned by the API are owned by the API unless
73 * explicitly stated otherwise. Strings passed to the API are accessed by the
74 * API only during the given API call unless explicitly stated otherwise. If
75 * necessary, the API will make a copy of the supplied string.
76 *
77 * Error reprting is perfomed using C++ exceptions. All exceptions thrown by
78 * this API are derived from settings::Error. This doesn't cover exceptions
79 * that may be thrown by third-party library calls made by this API.
80 *
81 * All public classes represented by this API that support copy operations
82 * (i.e. may be created or assigned from other instsances of the same class),
83 * such as Key and Value classes, implement shallow copies and use this mode by
84 * default. It means two things:
85 *
86 * 1. Instances of these classes can be freely copied around and used as return
87 * values. All copies will share the same internal data block (using the
88 * reference counting technique) so that the copy operation is cheap, both
89 * in terms of memory and speed.
90 *
91 * 2. Since copied instances share the same data, an attempt to change data in
92 * the original will be reflected in all existing copies.
93 *
94 * Making deep copies or detaching the existing shallow copy from its original
95 * is not yet supported.
96 *
97 * Note that the Settings File API is not thread-safe. It means that if you
98 * want to use the same instance of a class from the settings namespace on more
99 * than one thread at a time, you will have to provide necessary access
100 * serialization yourself.
101 *
102 * Due to some (not propely studied) libxml2 limitations, the Settings File
103 * API is not thread-safe. Therefore, the API caller must provide
104 * serialization for threads using this API simultaneously. Note though that
105 * if the libxml2 library is (even imlicitly) used on some other thread which
106 * doesn't use this API (e.g. third-party code), it may lead to resource
107 * conflicts (followed by crashes, memory corruption etc.). A proper solution
108 * for these conflicts is to be found.
109 *
110 * In order to load a settings file the program creates a TreeBackend instance
111 * using one of the specific backends (e.g. XmlTreeBackend) and then passes an
112 * Input stream object (e.g. File or MemoryBuf) to the TreeBackend::read()
113 * method to parse the stream and build the settings tree. On success, the
114 * program uses the TreeBackend::rootKey() method to access the root key of
115 * the settings tree. The root key provides access to the whole tree of
116 * settings through the methods of the Key class which allow to read, change
117 * and create new key values. Below is an example that uses the XML backend to
118 * load the settings tree, then modifies it and then saves the modifications.
119 *
120 * @code
121 using namespace settings;
122
123 try
124 {
125 File file (File::ReadWrite, "myfile.xml");
126 XmlTreeBackend tree;
127
128 // load the tree, parse it and validate using the XML schema
129 tree.read (aFile, "myfile.xsd", XmlTreeBackend::Read_AddDefaults);
130
131 // get the root key
132 Key root = tree.key();
133 printf ("root=%s\n", root.name());
134
135 // enumerate all child keys of the root key named Foo
136 Key::list children = root.keys ("Foo");
137 for (Key::list::const_iterator it = children.begin();
138 it != children.end();
139 ++ it)
140 {
141 // get the "level" attribute
142 int level = (*it).value <int> ("level");
143 if (level > 5)
144 {
145 // if so, create a "Bar" key if it doesn't exist yet
146 Key bar = (*it).createKey ("Bar");
147 // set the "date" attribute
148 RTTIMESPEC now;
149 RTTimeNow (&now);
150 bar.setValue <RTTIMESPEC> ("date", now);
151 }
152 else if (level < 2)
153 {
154 // if its below 2, delete the whole "Foo" key
155 (*it).zap();
156 }
157 }
158
159 // save the tree on success (the second try is to distinguish between
160 // stream load and save errors)
161 try
162 {
163 aTree.write (aFile);
164 }
165 catch (const EIPRTFailure &err)
166 {
167 // this is an expected exception that may happen in case of stream
168 // read or write errors
169 printf ("Could not save the settings file '%s' (%Vrc)");
170 file.uri(), err.rc());
171
172 return FAILURE;
173 }
174
175 return SUCCESS;
176 }
177 catch (const EIPRTFailure &err)
178 {
179 // this is an expected exception that may happen in case of stream
180 // read or write errors
181 printf ("Could not load the settings file '%s' (%Vrc)");
182 file.uri(), err.rc());
183 }
184 catch (const XmlTreeBackend::Error &err)
185 {
186 // this is an XmlTreeBackend specific exception exception that may
187 // happen in case of XML parse or validation errors
188 printf ("Could not load the settings file '%s'.\n%s"),
189 file.uri(), err.what() ? err.what() : "Unknown error");
190 }
191 catch (const std::exception &err)
192 {
193 // the rest is unexpected (e.g. should not happen unless you
194 // specifically wish so for some reason and therefore allow for a
195 // situation that may throw one of these from within the try block
196 // above)
197 AssertMsgFailed ("Unexpected exception '%s' (%s)\n",
198 typeid (err).name(), err.what());
199 catch (...)
200 {
201 // this is even more unexpected, and no any useful info here
202 AssertMsgFailed ("Unexpected exception\n");
203 }
204
205 return FAILURE;
206 * @endcode
207 *
208 * Note that you can get a raw (string) value of the attribute using the
209 * Key::stringValue() method but often it's simpler and better to use the
210 * templated Key::value<>() method that can convert the string to a value of
211 * the given type for you (and throw exceptions when the converison is not
212 * possible). Similarly, the Key::setStringValue() methid is used to set a raw
213 * string value and there is a templated Key::setValue<>() method to set a
214 * typed value which will implicitly convert it to a string.
215 *
216 * Currently, types supported by Key::value<>() and Key::setValue<>() include
217 * all C and IPRT integer types, bool and RTTIMESPEC (represented as isoDate
218 * in XML). You can always add support for your own types by creating
219 * additional specializations of the FromString<>() and ToString<>() templates
220 * in the settings namespace (see the real examples in this header).
221 *
222 * See individual funciton, class and method descriptions to get more details
223 * on the Settings File Manipulation API.
224 */
225
226#ifndef IN_RING3
227# error "There are no settings APIs available in Ring-0 Context!"
228#else /* IN_RING3 */
229
230/** @def IN_VBOXSETTINGS_R3
231 * Used to indicate whether we're inside the same link module as the
232 * XML Settings File Manipulation API.
233 *
234 * @todo should go to a separate common include together with VBOXXML2_CLASS
235 * once there becomes more than one header in the VBoxXML2 library.
236 */
237#ifdef DOXYGEN_RUNNING
238# define IN_VBOXSETTINGS_R3
239#endif
240
241/** @def VBOXSETTINGS_CLASS
242 * Class export/import wrapper. */
243#ifdef IN_VBOXSETTINGS_R3
244# define VBOXSETTINGS_CLASS DECLEXPORT_CLASS
245#else
246# define VBOXSETTINGS_CLASS DECLIMPORT_CLASS
247#endif
248
249/*
250 * Shut up MSVC complaining that auto_ptr[_ref] template instantiations (as a
251 * result of private data member declarations of some classes below) need to
252 * be exported too to in order to be accessible by clients. I don't
253 *
254 * The alternative is to instantiate a template before the data member
255 * declaration with the VBOXSETTINGS_CLASS prefix, but the standard disables
256 * explicit instantiations in a foreign namespace. However, a declaration
257 * like:
258 *
259 * template class VBOXSETTINGS_CLASS std::auto_ptr <Data>;
260 *
261 * right before the member declaration makes MSVC happy too, but this is not a
262 * valid C++ construct (and G++ spits it out). So, for now we just disable the
263 * warning and will come back to this problem one dat later.
264 *
265 * We also disable another warning (4275) saying that a DLL-exported class
266 * inherits form a non-DLL-exported one (e.g. settings::ENoMemory ->
267 * std::bad_alloc). I can't get how it can harm yet.
268 */
269#if defined(_MSC_VER)
270#pragma warning (disable:4251)
271#pragma warning (disable:4275)
272#endif
273
274/* Forwards */
275typedef struct _xmlParserInput xmlParserInput;
276typedef xmlParserInput *xmlParserInputPtr;
277typedef struct _xmlParserCtxt xmlParserCtxt;
278typedef xmlParserCtxt *xmlParserCtxtPtr;
279typedef struct _xmlError xmlError;
280typedef xmlError *xmlErrorPtr;
281
282/**
283 * Settings File Manipulation API namespace.
284 */
285namespace settings
286{
287
288// Helpers
289//////////////////////////////////////////////////////////////////////////////
290
291/**
292 * Temporary holder for the formatted string.
293 *
294 * Instances of this class are used for passing the formatted string as an
295 * argument to an Error constructor or to another function that takes
296 * <tr>const char *</tr> and makes a copy of the string it points to.
297 */
298class VBOXSETTINGS_CLASS FmtStr
299{
300public:
301
302 /**
303 * Creates a formatted string using the format string and a set of
304 * printf-like arguments.
305 */
306 FmtStr (const char *aFmt, ...)
307 {
308 va_list args;
309 va_start (args, aFmt);
310 RTStrAPrintfV (&mStr, aFmt, args);
311 va_end (args);
312 }
313
314 ~FmtStr() { RTStrFree (mStr); }
315
316 operator const char *() { return mStr; }
317
318private:
319
320 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP (FmtStr)
321
322 char *mStr;
323};
324
325// Exceptions
326//////////////////////////////////////////////////////////////////////////////
327
328/**
329 * Base exception class.
330 */
331class VBOXSETTINGS_CLASS Error : public std::exception
332{
333public:
334
335 Error (const char *aMsg = NULL)
336 : m (aMsg ? Str::New (aMsg) : NULL) {}
337
338 virtual ~Error() throw() {}
339
340 void setWhat (const char *aMsg) { m = aMsg ? Str::New (aMsg) : NULL; }
341
342 const char *what() const throw() { return m.is_null() ? NULL : m->str; }
343
344private:
345
346 /** smart string with support for reference counting */
347 struct Str
348 {
349 size_t ref() { return ++ refs; }
350 size_t unref() { return -- refs; }
351
352 size_t refs;
353 char str [1];
354
355 static Str *New (const char *aStr)
356 {
357 Str *that = (Str *) RTMemAllocZ (sizeof (Str) + strlen (aStr));
358 AssertReturn (that, NULL);
359 strcpy (that->str, aStr);
360 return that;
361 }
362
363 void operator delete (void *that, size_t) { RTMemFree (that); }
364 };
365
366 stdx::auto_ref_ptr <Str> m;
367};
368
369class VBOXSETTINGS_CLASS LogicError : public Error
370{
371public:
372
373 LogicError (const char *aMsg = NULL) : Error (aMsg) {}
374
375 LogicError (RT_SRC_POS_DECL)
376 {
377 char *msg = NULL;
378 RTStrAPrintf (&msg, "In '%s', '%s' at #%d",
379 pszFunction, pszFile, iLine);
380 setWhat (msg);
381 RTStrFree (msg);
382 }
383};
384
385class VBOXSETTINGS_CLASS RuntimeError : public Error
386{
387public:
388
389 RuntimeError (const char *aMsg = NULL) : Error (aMsg) {}
390};
391
392// Logical errors
393//////////////////////////////////////////////////////////////////////////////
394
395class VBOXSETTINGS_CLASS ENotImplemented : public LogicError
396{
397public:
398
399 ENotImplemented (const char *aMsg = NULL) : LogicError (aMsg) {}
400 ENotImplemented (RT_SRC_POS_DECL) : LogicError (RT_SRC_POS_ARGS) {}
401};
402
403class VBOXSETTINGS_CLASS EInvalidArg : public LogicError
404{
405public:
406
407 EInvalidArg (const char *aMsg = NULL) : LogicError (aMsg) {}
408 EInvalidArg (RT_SRC_POS_DECL) : LogicError (RT_SRC_POS_ARGS) {}
409};
410
411class VBOXSETTINGS_CLASS ENoKey : public LogicError
412{
413public:
414
415 ENoKey (const char *aMsg = NULL) : LogicError (aMsg) {}
416};
417
418class VBOXSETTINGS_CLASS ENoValue : public LogicError
419{
420public:
421
422 ENoValue (const char *aMsg = NULL) : LogicError (aMsg) {}
423};
424
425// Runtime errors
426//////////////////////////////////////////////////////////////////////////////
427
428class VBOXSETTINGS_CLASS ENoMemory : public RuntimeError, public std::bad_alloc
429{
430public:
431
432 ENoMemory (const char *aMsg = NULL) : RuntimeError (aMsg) {}
433 virtual ~ENoMemory() throw() {}
434};
435
436class VBOXSETTINGS_CLASS EIPRTFailure : public RuntimeError
437{
438public:
439
440 EIPRTFailure (const char *aMsg = NULL) : RuntimeError (aMsg) {}
441
442 EIPRTFailure (int aRC) : mRC (aRC) {}
443 int rc() const { return mRC; }
444
445private:
446
447 int mRC;
448};
449
450class VBOXSETTINGS_CLASS ENoConversion : public RuntimeError
451{
452public:
453
454 ENoConversion (const char *aMsg = NULL) : RuntimeError (aMsg) {}
455};
456
457// string -> type conversions
458//////////////////////////////////////////////////////////////////////////////
459
460/** @internal
461 * Helper for the FromString() template, doesn't need to be called directly.
462 */
463DECLEXPORT (uint64_t) FromStringInteger (const char *aValue, bool aSigned,
464 int aBits, uint64_t aMin, uint64_t aMax);
465
466/**
467 * Generic template function to perform a conversion of an UTF-8 string to an
468 * arbitrary value of type @a T.
469 *
470 * This generic template is implenented only for 8-, 16-, 32- and 64- bit
471 * signed and unsigned integers where it uses RTStrTo[U]Int64() to perform the
472 * conversion. For all other types it throws an ENotImplemented
473 * exception. Individual template specializations for known types should do
474 * the conversion job.
475 *
476 * If the conversion is not possible (for example the string format is wrong
477 * or meaningless for the given type), this template will throw an
478 * ENoConversion exception. All specializations must do the same.
479 *
480 * If the @a aValue argument is NULL, this method will throw an ENoValue
481 * exception. All specializations must do the same.
482 *
483 * @param aValue Value to convert.
484 *
485 * @return Result of conversion.
486 */
487template <typename T>
488T FromString (const char *aValue)
489{
490 if (std::numeric_limits <T>::is_integer)
491 {
492 bool sign = std::numeric_limits <T>::is_signed;
493 int bits = std::numeric_limits <T>::digits + (sign ? 1 : 0);
494
495 return (T) FromStringInteger (aValue, sign, bits,
496 (uint64_t) std::numeric_limits <T>::min(),
497 (uint64_t) std::numeric_limits <T>::max());
498 }
499
500 throw ENotImplemented (RT_SRC_POS);
501}
502
503/**
504 * Specialization of FromString for bool.
505 *
506 * Converts "true", "yes", "on" to true and "false", "no", "off" to false.
507 */
508template<> DECLEXPORT (bool) FromString <bool> (const char *aValue);
509
510/**
511 * Specialization of FromString for RTTIMESPEC.
512 *
513 * Converts the date in ISO format (<YYYY>-<MM>-<DD>T<hh>:<mm>:<ss>[timezone])
514 * to a RTTIMESPEC value. Currently, the timezone must always be Z (UTC).
515 */
516template<> DECLEXPORT (RTTIMESPEC) FromString <RTTIMESPEC> (const char *aValue);
517
518/**
519 * Converts a string of hex digits to memory bytes.
520 *
521 * @param aValue String to convert.
522 * @param aLen Where to store the length of the returned memory
523 * block (may be NULL).
524 *
525 * @return Result of conversion (a block of @a aLen bytes).
526 */
527DECLEXPORT (stdx::char_auto_ptr) FromString (const char *aValue, size_t *aLen);
528
529// type -> string conversions
530//////////////////////////////////////////////////////////////////////////////
531
532/** @internal
533 * Helper for the ToString() template, doesn't need to be called directly.
534 */
535DECLEXPORT (stdx::char_auto_ptr)
536ToStringInteger (uint64_t aValue, unsigned int aBase,
537 bool aSigned, int aBits);
538
539/**
540 * Generic template function to perform a conversion of an arbitrary value to
541 * an UTF-8 string.
542 *
543 * This generic template is implemented only for 8-, 16-, 32- and 64- bit
544 * signed and unsigned integers where it uses RTStrFormatNumber() to perform
545 * the conversion. For all other types it throws an ENotImplemented
546 * exception. Individual template specializations for known types should do
547 * the conversion job. If the conversion is not possible (for example the
548 * given value doesn't have a string representation), the relevant
549 * specialization should throw an ENoConversion exception.
550 *
551 * If the @a aValue argument's value would convert to a NULL string, this
552 * method will throw an ENoValue exception. All specializations must do the
553 * same.
554 *
555 * @param aValue Value to convert.
556 * @param aExtra Extra flags to define additional formatting. In case of
557 * integer types, it's the base used for string representation.
558 *
559 * @return Result of conversion.
560 */
561template <typename T>
562stdx::char_auto_ptr ToString (const T &aValue, unsigned int aExtra = 0)
563{
564 if (std::numeric_limits <T>::is_integer)
565 {
566 bool sign = std::numeric_limits <T>::is_signed;
567 int bits = std::numeric_limits <T>::digits + (sign ? 1 : 0);
568
569 return ToStringInteger (aValue, aExtra, sign, bits);
570 }
571
572 throw ENotImplemented (RT_SRC_POS);
573}
574
575/**
576 * Specialization of ToString for bool.
577 *
578 * Converts true to "true" and false to "false". @a aExtra is not used.
579 */
580template<> DECLEXPORT (stdx::char_auto_ptr)
581ToString <bool> (const bool &aValue, unsigned int aExtra);
582
583/**
584 * Specialization of ToString for RTTIMESPEC.
585 *
586 * Converts the RTTIMESPEC value to the date string in ISO format
587 * (<YYYY>-<MM>-<DD>T<hh>:<mm>:<ss>[timezone]). Currently, the timezone will
588 * always be Z (UTC).
589 *
590 * @a aExtra is not used.
591 */
592template<> DECLEXPORT (stdx::char_auto_ptr)
593ToString <RTTIMESPEC> (const RTTIMESPEC &aValue, unsigned int aExtra);
594
595/**
596 * Converts memory bytes to a null-terminated string of hex values.
597 *
598 * @param aData Pointer to the memory block.
599 * @param aLen Length of the memory block.
600 *
601 * @return Result of conversion.
602 */
603DECLEXPORT (stdx::char_auto_ptr) ToString (const void *aData, size_t aLen);
604
605// the rest
606//////////////////////////////////////////////////////////////////////////////
607
608/**
609 * The Key class represents a settings key.
610 *
611 * Every settings key has a name and zero or more uniquely named values
612 * (attributes). There is a special attribute with a NULL name that is called
613 * a key value.
614 *
615 * Besides values, settings keys may contain other settings keys. This way,
616 * settings keys form a tree-like (or a directory-like) hierarchy of keys. Key
617 * names do not need to be unique even if they belong to the same parent key
618 * which allows to have an array of keys of the same name.
619 *
620 * @note Key and Value objects returned by methods of the Key and TreeBackend
621 * classes are owned by the given TreeBackend instance and may refer to data
622 * that becomes invalid when this TreeBackend instance is destroyed.
623 */
624class VBOXSETTINGS_CLASS Key
625{
626public:
627
628 typedef std::list <Key> List;
629
630 /**
631 * Key backend interface used to perform actual key operations.
632 *
633 * This interface is implemented by backends that provide specific ways of
634 * storing settings keys.
635 */
636 class VBOXSETTINGS_CLASS Backend : public stdx::auto_ref
637 {
638 public:
639
640 /** Performs the Key::name() function. */
641 virtual const char *name() const = 0;
642
643 /** Performs the Key::setName() function. */
644 virtual void setName (const char *aName) = 0;
645
646 /** Performs the Key::stringValue() function. */
647 virtual const char *value (const char *aName) const = 0;
648
649 /** Performs the Key::setStringValue() function. */
650 virtual void setValue (const char *aName, const char *aValue) = 0;
651
652 /** Performs the Key::keys() function. */
653 virtual List keys (const char *aName = NULL) const = 0;
654
655 /** Performs the Key::findKey() function. */
656 virtual Key findKey (const char *aName) const = 0;
657
658 /** Performs the Key::appendKey() function. */
659 virtual Key appendKey (const char *aName) = 0;
660
661 /** Performs the Key::zap() function. */
662 virtual void zap() = 0;
663
664 /**
665 * Returns an opaque value that uniquely represents the position of
666 * this key on the tree which is used to compare two keys. Two or more
667 * keys may return the same value only if they actually represent the
668 * same key (i.e. they have the same list of parents and children).
669 */
670 virtual void *position() const = 0;
671 };
672
673 /**
674 * Creates a new key object. If @a aBackend is @c NULL then a null key is
675 * created.
676 *
677 * Regular API users should never need to call this method with something
678 * other than NULL argument (which is the default).
679 *
680 * @param aBackend Key backend to use.
681 */
682 Key (Backend *aBackend = NULL) : m (aBackend) {}
683
684 /**
685 * Returns @c true if this key is null.
686 */
687 bool isNull() const { return m.is_null(); }
688
689 /**
690 * Makes this object a null key.
691 *
692 * Note that as opposed to #zap(), this methid does not delete the key from
693 * the list of children of its parent key.
694 */
695 void setNull() { m = NULL; }
696
697 /**
698 * Returns the name of this key.
699 * Returns NULL if this object a null (uninitialized) key.
700 */
701 const char *name() const { return m.is_null() ? NULL : m->name(); }
702
703 /**
704 * Sets the name of this key.
705 *
706 * @param aName New key name.
707 */
708 void setName (const char *aName) { if (!m.is_null()) m->setName (aName); }
709
710 /**
711 * Returns the value of the attribute with the given name as an UTF-8
712 * string. Returns @c NULL if there is no attribute with the given name.
713 *
714 * @param aName Name of the attribute. NULL may be used to
715 * get the key value.
716 */
717 const char *stringValue (const char *aName) const
718 {
719 return m.is_null() ? NULL : m->value (aName);
720 }
721
722 /**
723 * Sets the value of the attribute with the given name from an UTF-8
724 * string. This method will do a copy of the supplied @a aValue string.
725 *
726 * @param aName Name of the attribute. NULL may be used to
727 * set the key value.
728 * @param aValue New value of the attribute. NULL may be used to
729 * delete the value instead of setting it.
730 */
731 void setStringValue (const char *aName, const char *aValue)
732 {
733 if (!m.is_null()) m->setValue (aName, aValue);
734 }
735
736 /**
737 * Returns the value of the attribute with the given name as an object of
738 * type @a T. Throws ENoValue if there is no attribute with the given
739 * name.
740 *
741 * This function calls #stringValue() to get the string representation of
742 * the attribute and then calls the FromString() template to convert this
743 * string to a value of the given type.
744 *
745 * @param aName Name of the attribute. NULL may be used to
746 * get the key value.
747 */
748 template <typename T>
749 T value (const char *aName) const
750 {
751 try
752 {
753 return FromString <T> (stringValue (aName));
754 }
755 catch (const ENoValue &)
756 {
757 throw ENoValue (FmtStr ("No such attribute '%s'", aName));
758 }
759 }
760
761 /**
762 * Returns the value of the attribute with the given name as an object of
763 * type @a T. Returns the given default value if there is no attribute
764 * with the given name.
765 *
766 * This function calls #stringValue() to get the string representation of
767 * the attribute and then calls the FromString() template to convert this
768 * string to a value of the given type.
769 *
770 * @param aName Name of the attribute. NULL may be used to
771 * get the key value.
772 * @param aDefault Default value to return for the missing attribute.
773 */
774 template <typename T>
775 T valueOr (const char *aName, const T &aDefault) const
776 {
777 try
778 {
779 return FromString <T> (stringValue (aName));
780 }
781 catch (const ENoValue &)
782 {
783 return aDefault;
784 }
785 }
786
787 /**
788 * Sets the value of the attribute with the given name from an object of
789 * type @a T. This method will do a copy of data represented by @a aValue
790 * when necessary.
791 *
792 * This function converts the given value to a string using the ToString()
793 * template and then calls #setStringValue().
794 *
795 * @param aName Name of the attribute. NULL may be used to
796 * set the key value.
797 * @param aValue New value of the attribute.
798 * @param aExtra Extra field used by some types to specify additional
799 * details for storing the value as a string (such as the
800 * base for decimal numbers).
801 */
802 template <typename T>
803 void setValue (const char *aName, const T &aValue, unsigned int aExtra = 0)
804 {
805 try
806 {
807 stdx::char_auto_ptr value = ToString (aValue, aExtra);
808 setStringValue (aName, value.get());
809 }
810 catch (const ENoValue &)
811 {
812 throw ENoValue (FmtStr ("No value for attribute '%s'", aName));
813 }
814 }
815
816 /**
817 * Sets the value of the attribute with the given name from an object of
818 * type @a T. If the value of the @a aValue object equals to the value of
819 * the given @a aDefault object, then the attribute with the given name
820 * will be deleted instead of setting its value to @a aValue.
821 *
822 * This function converts the given value to a string using the ToString()
823 * template and then calls #setStringValue().
824 *
825 * @param aName Name of the attribute. NULL may be used to
826 * set the key value.
827 * @param aValue New value of the attribute.
828 * @param aDefault Default value to compare @a aValue to.
829 * @param aExtra Extra field used by some types to specify additional
830 * details for storing the value as a string (such as the
831 * base for decimal numbers).
832 */
833 template <typename T>
834 void setValueOr (const char *aName, const T &aValue, const T &aDefault,
835 unsigned int aExtra = 0)
836 {
837 if (aValue == aDefault)
838 zapValue (aName);
839 else
840 setValue <T> (aName, aValue, aExtra);
841 }
842
843 /**
844 * Deletes the value of the attribute with the given name.
845 * Shortcut to <tt>setStringValue(aName, NULL)</tt>.
846 */
847 void zapValue (const char *aName) { setStringValue (aName, NULL); }
848
849 /**
850 * Returns the key value.
851 * Shortcut to <tt>stringValue (NULL)</tt>.
852 */
853 const char *keyStringValue() const { return stringValue (NULL); }
854
855 /**
856 * Sets the key value.
857 * Shortcut to <tt>setStringValue (NULL, aValue)</tt>.
858 */
859 void setKeyStringValue (const char *aValue) { setStringValue (NULL, aValue); }
860
861 /**
862 * Returns the key value.
863 * Shortcut to <tt>value (NULL)</tt>.
864 */
865 template <typename T>
866 T keyValue() const { return value <T> (NULL); }
867
868 /**
869 * Returns the key value or the given default if the key value is NULL.
870 * Shortcut to <tt>value (NULL)</tt>.
871 */
872 template <typename T>
873 T keyValueOr (const T &aDefault) const { return valueOr <T> (NULL, aDefault); }
874
875 /**
876 * Sets the key value.
877 * Shortcut to <tt>setValue (NULL, aValue, aExtra)</tt>.
878 */
879 template <typename T>
880 void setKeyValue (const T &aValue, unsigned int aExtra = 0)
881 {
882 setValue <T> (NULL, aValue, aExtra);
883 }
884
885 /**
886 * Sets the key value.
887 * Shortcut to <tt>setValueOr (NULL, aValue, aDefault)</tt>.
888 */
889 template <typename T>
890 void setKeyValueOr (const T &aValue, const T &aDefault,
891 unsigned int aExtra = 0)
892 {
893 setValueOr <T> (NULL, aValue, aDefault, aExtra);
894 }
895
896 /**
897 * Deletes the key value.
898 * Shortcut to <tt>zapValue (NULL)</tt>.
899 */
900 void zapKeyValue () { zapValue (NULL); }
901
902 /**
903 * Returns a list of all child keys named @a aName.
904 *
905 * If @a aname is @c NULL, returns a list of all child keys.
906 *
907 * @param aName Child key name to list.
908 */
909 List keys (const char *aName = NULL) const
910 {
911 return m.is_null() ? List() : m->keys (aName);
912 };
913
914 /**
915 * Returns the first child key with the given name.
916 *
917 * Throws ENoKey if no child key with the given name exists.
918 *
919 * @param aName Child key name.
920 */
921 Key key (const char *aName) const
922 {
923 Key key = findKey (aName);
924 if (key.isNull())
925 throw ENoKey (FmtStr ("No such key '%s'", aName));
926 return key;
927 }
928
929 /**
930 * Returns the first child key with the given name.
931 *
932 * As opposed to #key(), this method will not throw an exception if no
933 * child key with the given name exists, but return a null key instead.
934 *
935 * @param aName Child key name.
936 */
937 Key findKey (const char *aName) const
938 {
939 return m.is_null() ? Key() : m->findKey (aName);
940 }
941
942 /**
943 * Creates a key with the given name as a child of this key and returns it
944 * to the caller.
945 *
946 * If one or more child keys with the given name already exist, no new key
947 * is created but the first matching child key is returned.
948 *
949 * @param aName Name of the child key to create.
950 */
951 Key createKey (const char *aName)
952 {
953 Key key = findKey (aName);
954 if (key.isNull())
955 key = appendKey (aName);
956 return key;
957 }
958
959 /**
960 * Appends a key with the given name to the list of child keys of this key
961 * and returns the appended key to the caller.
962 *
963 * @param aName Name of the child key to create.
964 */
965 Key appendKey (const char *aName)
966 {
967 return m.is_null() ? Key() : m->appendKey (aName);
968 }
969
970 /**
971 * Deletes this key.
972 *
973 * The deleted key is removed from the list of child keys of its parent
974 * key and becomes a null object.
975 */
976 void zap()
977 {
978 if (!m.is_null())
979 {
980 m->zap();
981 setNull();
982 }
983 }
984
985 /**
986 * Compares this object with the given object and returns @c true if both
987 * represent the same key on the settings tree or if both are null
988 * objects.
989 *
990 * @param that Object to compare this object with.
991 */
992 bool operator== (const Key &that) const
993 {
994 return m == that.m ||
995 (!m.is_null() && !that.m.is_null() &&
996 m->position() == that.m->position());
997 }
998
999 /**
1000 * Counterpart to operator==().
1001 */
1002 bool operator!= (const Key &that) const { return !operator== (that); }
1003
1004private:
1005
1006 stdx::auto_ref_ptr <Backend> m;
1007
1008 friend class TreeBackend;
1009};
1010
1011/**
1012 * The Stream class is a base class for I/O streams.
1013 */
1014class VBOXSETTINGS_CLASS Stream
1015{
1016public:
1017
1018 virtual ~Stream() {}
1019
1020 virtual const char *uri() const = 0;
1021
1022 /**
1023 * Returns the current read/write position in the stream. The returned
1024 * position is a zero-based byte offset from the beginning of the file.
1025 *
1026 * Throws ENotImplemented if this operation is not implemented for the
1027 * given stream.
1028 */
1029 virtual uint64_t pos() const = 0;
1030
1031 /**
1032 * Sets the current read/write position in the stream.
1033 *
1034 * @param aPos Zero-based byte offset from the beginning of the stream.
1035 *
1036 * Throws ENotImplemented if this operation is not implemented for the
1037 * given stream.
1038 */
1039 virtual void setPos (uint64_t aPos) = 0;
1040};
1041
1042/**
1043 * The Input class represents an input stream.
1044 *
1045 * This input stream is used to read the settings tree from.
1046 * This is an abstract class that must be subclassed in order to fill it with
1047 * useful functionality.
1048 */
1049class VBOXSETTINGS_CLASS Input : virtual public Stream
1050{
1051public:
1052
1053 /**
1054 * Reads from the stream to the supplied buffer.
1055 *
1056 * @param aBuf Buffer to store read data to.
1057 * @param aLen Buffer length.
1058 *
1059 * @return Number of bytes read.
1060 */
1061 virtual int read (char *aBuf, int aLen) = 0;
1062};
1063
1064/**
1065 *
1066 */
1067class VBOXSETTINGS_CLASS Output : virtual public Stream
1068{
1069public:
1070
1071 /**
1072 * Writes to the stream from the supplied buffer.
1073 *
1074 * @param aBuf Buffer to write data from.
1075 * @param aLen Buffer length.
1076 *
1077 * @return Number of bytes written.
1078 */
1079 virtual int write (const char *aBuf, int aLen) = 0;
1080
1081 /**
1082 * Truncates the stream from the current position and upto the end.
1083 * The new file size will become exactly #pos() bytes.
1084 *
1085 * Throws ENotImplemented if this operation is not implemented for the
1086 * given stream.
1087 */
1088 virtual void truncate() = 0;
1089};
1090
1091/**
1092 * The TreeBackend class represents a storage backend used to read a settings
1093 * tree from and write it to a stream.
1094 *
1095 * @note All Key objects returned by any of the TreeBackend methods (and by
1096 * methods of returned Key objects) are owned by the given TreeBackend
1097 * instance. When this instance is destroyed, all Key objects become invalid
1098 * and an attempt to access Key data will cause the program crash.
1099 */
1100class VBOXSETTINGS_CLASS TreeBackend
1101{
1102public:
1103
1104 /**
1105 * Reads and parses the given input stream.
1106 *
1107 * On success, the previous settings tree owned by this backend (if any)
1108 * is deleted.
1109 *
1110 * The optional schema URI argument determines the name of the schema to
1111 * use for input validation. If the schema URI is NULL then the validation
1112 * is not performed. Note that you may set a custom input resolver if you
1113 * want to provide the input stream for the schema file (and for other
1114 * external entities) instead of letting the backend to read the specified
1115 * URI directly.
1116 *
1117 * This method will set the read/write position to the beginning of the
1118 * given stream before reading. After the stream has been successfully
1119 * parsed, the position will be set back to the beginning.
1120 *
1121 * @param aInput Input stream.
1122 * @param aSchema Schema URI to use for input stream validation.
1123 * @param aFlags Optional bit flags.
1124 */
1125 void read (Input &aInput, const char *aSchema = NULL, int aFlags = 0)
1126 {
1127 aInput.setPos (0);
1128 rawRead (aInput, aSchema, aFlags);
1129 aInput.setPos (0);
1130 }
1131
1132 /**
1133 * Reads and parses the given input stream in a raw fashion.
1134 *
1135 * This method doesn't set the stream position to the beginnign before and
1136 * after reading but instead leaves it as is in both cases. It's the
1137 * caller's responsibility to maintain the correct position.
1138 *
1139 * @see read()
1140 */
1141 virtual void rawRead (Input &aInput, const char *aSchema = NULL,
1142 int aFlags = 0) = 0;
1143
1144 /**
1145 * Writes the current settings tree to the given output stream.
1146 *
1147 * This method will set the read/write position to the beginning of the
1148 * given stream before writing. After the settings have been successfully
1149 * written to the stream, the stream will be truncated at the position
1150 * following the last byte written by this method anc ghd position will be
1151 * set back to the beginning.
1152 *
1153 * @param aOutput Output stream.
1154 */
1155 void write (Output &aOutput)
1156 {
1157 aOutput.setPos (0);
1158 rawWrite (aOutput);
1159 aOutput.truncate();
1160 aOutput.setPos (0);
1161 }
1162
1163 /**
1164 * Writes the current settings tree to the given output stream in a raw
1165 * fashion.
1166 *
1167 * This method doesn't set the stream position to the beginnign before and
1168 * after reading and doesn't truncate the stream, but instead leaves it as
1169 * is in both cases. It's the caller's responsibility to maintain the
1170 * correct position and perform truncation.
1171 *
1172 * @see write()
1173 */
1174 virtual void rawWrite (Output &aOutput) = 0;
1175
1176 /**
1177 * Deletes the current settings tree.
1178 */
1179 virtual void reset() = 0;
1180
1181 /**
1182 * Returns the root settings key.
1183 */
1184 virtual Key &rootKey() const = 0;
1185
1186protected:
1187
1188 static Key::Backend *GetKeyBackend (const Key &aKey) { return aKey.m.raw(); }
1189};
1190
1191//////////////////////////////////////////////////////////////////////////////
1192
1193/**
1194 * The File class is a stream implementation that reads from and writes to
1195 * regular files.
1196 *
1197 * The File class uses IPRT File API for file operations. Note that IPRT File
1198 * API is not thread-safe. This means that if you pass the same RTFILE handle to
1199 * different File instances that may be simultaneously used on different
1200 * threads, you should care about serialization; otherwise you will get garbage
1201 * when reading from or writing to such File instances.
1202 */
1203class VBOXSETTINGS_CLASS File : public Input, public Output
1204{
1205public:
1206
1207 /**
1208 * Possible file access modes.
1209 */
1210 enum Mode { Mode_Read, Mode_Write, Mode_ReadWrite };
1211
1212 /**
1213 * Opens a file with the given name in the given mode. If @a aMode is Read
1214 * or ReadWrite, the file must exist. If @a aMode is Write, the file must
1215 * not exist. Otherwise, an EIPRTFailure excetion will be thrown.
1216 *
1217 * @param aMode File mode.
1218 * @param aFileName File name.
1219 */
1220 File (Mode aMode, const char *aFileName);
1221
1222 /**
1223 * Uses the given file handle to perform file operations. This file
1224 * handle must be already open in necessary mode (read, or write, or mixed).
1225 *
1226 * The read/write position of the given handle will be reset to the
1227 * beginning of the file on success.
1228 *
1229 * Note that the given file handle will not be automatically closed upon
1230 * this object destruction.
1231 *
1232 * @note It you pass the same RTFILE handle to more than one File instance,
1233 * please make sure you have provided serialization in case if these
1234 * instasnces are to be simultaneously used by different threads.
1235 * Otherwise you may get garbage when reading or writing.
1236 *
1237 * @param aHandle Open file handle.
1238 * @param aFileName File name (for reference).
1239 */
1240 File (RTFILE aHandle, const char *aFileName = NULL);
1241
1242 /**
1243 * Destrroys the File object. If the object was created from a file name
1244 * the corresponding file will be automatically closed. If the object was
1245 * created from a file handle, it will remain open.
1246 */
1247 virtual ~File();
1248
1249 const char *uri() const;
1250
1251 uint64_t pos() const;
1252 void setPos (uint64_t aPos);
1253
1254 /**
1255 * See Input::read(). If this method is called in wrong file mode,
1256 * LogicError will be thrown.
1257 */
1258 int read (char *aBuf, int aLen);
1259
1260 /**
1261 * See Output::write(). If this method is called in wrong file mode,
1262 * LogicError will be thrown.
1263 */
1264 int write (const char *aBuf, int aLen);
1265
1266 /**
1267 * See Output::truncate(). If this method is called in wrong file mode,
1268 * LogicError will be thrown.
1269 */
1270 void truncate();
1271
1272private:
1273
1274 /* Obscure class data */
1275 struct Data;
1276 std::auto_ptr <Data> m;
1277
1278 /* auto_ptr data doesn't have proper copy semantics */
1279 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP (File)
1280};
1281
1282/**
1283 * The MemoryBuf class represents a stream implementation that reads from the
1284 * memory buffer.
1285 */
1286class VBOXSETTINGS_CLASS MemoryBuf : public Input
1287{
1288public:
1289
1290 MemoryBuf (const char *aBuf, size_t aLen, const char *aURI = NULL);
1291
1292 virtual ~MemoryBuf();
1293
1294 const char *uri() const;
1295
1296 int read (char *aBuf, int aLen);
1297 uint64_t pos() const;
1298 void setPos (uint64_t aPos);
1299
1300private:
1301
1302 /* Obscure class data */
1303 struct Data;
1304 std::auto_ptr <Data> m;
1305
1306 /* auto_ptr data doesn't have proper copy semantics */
1307 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP (MemoryBuf)
1308};
1309
1310class XmlKeyBackend;
1311
1312/**
1313 * The XmlTreeBackend class uses XML markup to store settings trees.
1314 *
1315 * @note libxml2 and libxslt libraries used by the XmlTreeBackend are not
1316 * fully reentrant. To "fix" this, the XmlTreeBackend backend serializes access
1317 * to such non-reentrant parts using a global mutex so that only one thread can
1318 * use non-reentrant code at a time. Currently, this relates to the #rawRead()
1319 * method (and to #read() as a consequence). This menas that only one thread can
1320 * parse an XML stream at a time; other threads trying to parse same or
1321 * different streams using different XmlTreeBackend and Input instances
1322 * will have to wait.
1323 *
1324 * Keep in mind that the above reentrancy fix does not imply thread-safety: it
1325 * is still the caller's responsibility to provide serialization if the same
1326 * XmlTreeBackend instnace (as well as instances of other classes from the
1327 * settings namespace) needs to be used by more than one thread.
1328 */
1329class VBOXSETTINGS_CLASS XmlTreeBackend : public TreeBackend
1330{
1331public:
1332
1333 /** Flags for TreeBackend::read(). */
1334 enum
1335 {
1336 /**
1337 * Sbstitute default values for missing attributes that have defaults
1338 * in the XML schema. Otherwise, stringValue() will return NULL for
1339 * such attributes.
1340 */
1341 Read_AddDefaults = RT_BIT (0),
1342 };
1343
1344 /**
1345 * The Error class represents errors that may happen when parsing or
1346 * validating the XML document representing the settings tree.
1347 */
1348 class VBOXSETTINGS_CLASS Error : public RuntimeError
1349 {
1350 public:
1351
1352 Error (const char *aMsg = NULL) : RuntimeError (aMsg) {}
1353 };
1354
1355 /**
1356 * The EConversionCycle class represents a conversion cycle detected by the
1357 * AutoConverter::needsConversion() implementation.
1358 */
1359 class VBOXSETTINGS_CLASS EConversionCycle : public Error
1360 {
1361 public:
1362
1363 EConversionCycle (const char *aMsg = NULL) : Error (aMsg) {}
1364 };
1365
1366 /**
1367 * The InputResolver class represents an interface to provide input streams
1368 * for external entities given an URL and entity ID.
1369 */
1370 class VBOXSETTINGS_CLASS InputResolver
1371 {
1372 public:
1373
1374 /**
1375 * Returns a newly allocated input stream for the given arguments. The
1376 * caller will delete the returned object when no more necessary.
1377 *
1378 * @param aURI URI of the external entity.
1379 * @param aID ID of the external entity (may be NULL).
1380 *
1381 * @return Input stream created using @c new or NULL to indicate
1382 * a wrong URI/ID pair.
1383 *
1384 * @todo Return by value after implementing the copy semantics for
1385 * Input subclasses.
1386 */
1387 virtual Input *resolveEntity (const char *aURI, const char *aID) = 0;
1388 };
1389
1390 /**
1391 * The AutoConverter class represents an interface to automatically convert
1392 * old settings trees to a new version when the tree is read from the
1393 * stream.
1394 */
1395 class VBOXSETTINGS_CLASS AutoConverter
1396 {
1397 public:
1398
1399 /**
1400 * Returns @true if the given tree needs to be converted using the XSLT
1401 * template identified by #templateUri(), or @false if no conversion is
1402 * required.
1403 *
1404 * The implementation normally checks for the "version" value of the
1405 * root key to determine if the conversion is necessary. When the
1406 * @a aOldVersion argument is not NULL, the implementation must return a
1407 * non-NULL non-empty string representing the old version (before
1408 * conversion) in it this string is used by XmlTreeBackend::oldVersion()
1409 * and must be non-NULL to indicate that the conversion has been
1410 * performed on the tree. The returned string must be allocated using
1411 * RTStrDup() or such.
1412 *
1413 * This method is called again after the successful transformation to
1414 * let the implementation retry the version check and request another
1415 * transformation if necessary. This may be used to perform multi-step
1416 * conversion like this: 1.1 => 1.2, 1.2 => 1.3 (instead of 1.1 => 1.3)
1417 * which saves from the need to update all previous conversion
1418 * templates to make each of them convert directly to the recent
1419 * version.
1420 *
1421 * @note Multi-step transformations are performed in a loop that exits
1422 * only when this method returns @false. It's up to the
1423 * implementation to detect cycling (repeated requests to convert
1424 * from the same version) wrong version order, etc. and throw an
1425 * EConversionCycle exception to break the loop without returning
1426 * @false (which means the transformation succeeded).
1427 *
1428 * @param aRoot Root settings key.
1429 * @param aOldVersionString Where to store old version string
1430 * pointer. May be NULL.
1431 */
1432 virtual bool needsConversion (const Key &aRoot,
1433 char **aOldVersion) const = 0;
1434
1435 /**
1436 * Returns the URI of the XSLT template to perform the conversion.
1437 * This template will be applied to the tree if #needsConversion()
1438 * returns @c true for this tree.
1439 */
1440 virtual const char *templateUri() const = 0;
1441 };
1442
1443 XmlTreeBackend();
1444 ~XmlTreeBackend();
1445
1446 /**
1447 * Sets an external entity resolver used to provide input streams for
1448 * entities referred to by the XML document being parsed.
1449 *
1450 * The given resolver object must exist as long as this instance exists or
1451 * until a different resolver is set using setInputResolver() or reset
1452 * using resetInputResolver().
1453 *
1454 * @param aResolver Resolver to use.
1455 */
1456 void setInputResolver (InputResolver &aResolver);
1457
1458 /**
1459 * Resets the entity resolver to the default resolver. The default
1460 * resolver provides support for 'file:' and 'http:' protocols.
1461 */
1462 void resetInputResolver();
1463
1464 /**
1465 * Sets a settings tree converter and enables the automatic conversion.
1466 *
1467 * The Automatic settings tree conversion is useful for upgrading old
1468 * settings files to the new version transparently during execution of the
1469 * #read() method.
1470 *
1471 * The automatic conversion takes place after reading the document from the
1472 * stream but before validating it. The given converter is asked if the
1473 * conversion is necessary using the AutoConverter::needsConversion() call,
1474 * and if so, the XSLT template specified by AutoConverter::templateUri() is
1475 * applied to the settings tree.
1476 *
1477 * Note that in order to make the result of the conversion permanent, the
1478 * settings tree needs to be exlicitly written back to the stream.
1479 *
1480 * The given converter object must exist as long as this instance exists or
1481 * until a different converter is set using setAutoConverter() or reset
1482 * using resetAutoConverter().
1483 *
1484 * @param aConverter Settings converter to use.
1485 */
1486 void setAutoConverter (AutoConverter &aConverter);
1487
1488 /**
1489 * Disables the automatic settings conversion previously enabled by
1490 * setAutoConverter(). By default automatic conversion it is disabled.
1491 */
1492 void resetAutoConverter();
1493
1494 /**
1495 * Returns a non-NULL string if the automatic settings conversion has been
1496 * performed during the last successful #read() call. Returns @c NULL if
1497 * there was no settings conversion.
1498 *
1499 * If #read() fails, this method will return the version string set by the
1500 * previous successful #read() call or @c NULL if there were no #read()
1501 * calls.
1502 */
1503 const char *oldVersion() const;
1504
1505 void rawRead (Input &aInput, const char *aSchema = NULL, int aFlags = 0);
1506 void rawWrite (Output &aOutput);
1507 void reset();
1508 Key &rootKey() const;
1509
1510private:
1511
1512 class XmlError;
1513
1514 /* Obscure class data */
1515 struct Data;
1516 std::auto_ptr <Data> m;
1517
1518 /* auto_ptr data doesn't have proper copy semantics */
1519 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP (XmlTreeBackend)
1520
1521 static int ReadCallback (void *aCtxt, char *aBuf, int aLen);
1522 static int WriteCallback (void *aCtxt, const char *aBuf, int aLen);
1523 static int CloseCallback (void *aCtxt);
1524
1525 static void ValidityErrorCallback (void *aCtxt, const char *aMsg, ...);
1526 static void ValidityWarningCallback (void *aCtxt, const char *aMsg, ...);
1527 static void StructuredErrorCallback (void *aCtxt, xmlErrorPtr aErr);
1528
1529 static xmlParserInput *ExternalEntityLoader (const char *aURI,
1530 const char *aID,
1531 xmlParserCtxt *aCtxt);
1532
1533 static XmlTreeBackend *sThat;
1534
1535 static XmlKeyBackend *GetKeyBackend (const Key &aKey)
1536 { return (XmlKeyBackend *) TreeBackend::GetKeyBackend (aKey); }
1537};
1538
1539} /* namespace settings */
1540
1541#if defined(_MSC_VER)
1542#pragma warning (default:4251)
1543#endif
1544
1545#endif /* IN_RING3 */
1546
1547/** @} */
1548
1549#endif /* ___VBox_settings_h */
Note: See TracBrowser for help on using the repository browser.

© 2023 Oracle
ContactPrivacy policyTerms of Use