xref: /qemu/include/qom/object.h (revision aa04c9d20704fa5b9ab239d5111adbcce5f49808)
1 /*
2  * QEMU Object Model
3  *
4  * Copyright IBM, Corp. 2011
5  *
6  * Authors:
7  *  Anthony Liguori   <aliguori@us.ibm.com>
8  *
9  * This work is licensed under the terms of the GNU GPL, version 2 or later.
10  * See the COPYING file in the top-level directory.
11  *
12  */
13 
14 #ifndef QEMU_OBJECT_H
15 #define QEMU_OBJECT_H
16 
17 #include "qapi-types.h"
18 #include "qemu/queue.h"
19 
20 struct TypeImpl;
21 typedef struct TypeImpl *Type;
22 
23 typedef struct ObjectClass ObjectClass;
24 typedef struct Object Object;
25 
26 typedef struct TypeInfo TypeInfo;
27 
28 typedef struct InterfaceClass InterfaceClass;
29 typedef struct InterfaceInfo InterfaceInfo;
30 
31 #define TYPE_OBJECT "object"
32 
33 /**
34  * SECTION:object.h
35  * @title:Base Object Type System
36  * @short_description: interfaces for creating new types and objects
37  *
38  * The QEMU Object Model provides a framework for registering user creatable
39  * types and instantiating objects from those types.  QOM provides the following
40  * features:
41  *
42  *  - System for dynamically registering types
43  *  - Support for single-inheritance of types
44  *  - Multiple inheritance of stateless interfaces
45  *
46  * <example>
47  *   <title>Creating a minimal type</title>
48  *   <programlisting>
49  * #include "qdev.h"
50  *
51  * #define TYPE_MY_DEVICE "my-device"
52  *
53  * // No new virtual functions: we can reuse the typedef for the
54  * // superclass.
55  * typedef DeviceClass MyDeviceClass;
56  * typedef struct MyDevice
57  * {
58  *     DeviceState parent;
59  *
60  *     int reg0, reg1, reg2;
61  * } MyDevice;
62  *
63  * static const TypeInfo my_device_info = {
64  *     .name = TYPE_MY_DEVICE,
65  *     .parent = TYPE_DEVICE,
66  *     .instance_size = sizeof(MyDevice),
67  * };
68  *
69  * static void my_device_register_types(void)
70  * {
71  *     type_register_static(&my_device_info);
72  * }
73  *
74  * type_init(my_device_register_types)
75  *   </programlisting>
76  * </example>
77  *
78  * In the above example, we create a simple type that is described by #TypeInfo.
79  * #TypeInfo describes information about the type including what it inherits
80  * from, the instance and class size, and constructor/destructor hooks.
81  *
82  * Every type has an #ObjectClass associated with it.  #ObjectClass derivatives
83  * are instantiated dynamically but there is only ever one instance for any
84  * given type.  The #ObjectClass typically holds a table of function pointers
85  * for the virtual methods implemented by this type.
86  *
87  * Using object_new(), a new #Object derivative will be instantiated.  You can
88  * cast an #Object to a subclass (or base-class) type using
89  * object_dynamic_cast().  You typically want to define macro wrappers around
90  * OBJECT_CHECK() and OBJECT_CLASS_CHECK() to make it easier to convert to a
91  * specific type:
92  *
93  * <example>
94  *   <title>Typecasting macros</title>
95  *   <programlisting>
96  *    #define MY_DEVICE_GET_CLASS(obj) \
97  *       OBJECT_GET_CLASS(MyDeviceClass, obj, TYPE_MY_DEVICE)
98  *    #define MY_DEVICE_CLASS(klass) \
99  *       OBJECT_CLASS_CHECK(MyDeviceClass, klass, TYPE_MY_DEVICE)
100  *    #define MY_DEVICE(obj) \
101  *       OBJECT_CHECK(MyDevice, obj, TYPE_MY_DEVICE)
102  *   </programlisting>
103  * </example>
104  *
105  * # Class Initialization #
106  *
107  * Before an object is initialized, the class for the object must be
108  * initialized.  There is only one class object for all instance objects
109  * that is created lazily.
110  *
111  * Classes are initialized by first initializing any parent classes (if
112  * necessary).  After the parent class object has initialized, it will be
113  * copied into the current class object and any additional storage in the
114  * class object is zero filled.
115  *
116  * The effect of this is that classes automatically inherit any virtual
117  * function pointers that the parent class has already initialized.  All
118  * other fields will be zero filled.
119  *
120  * Once all of the parent classes have been initialized, #TypeInfo::class_init
121  * is called to let the class being instantiated provide default initialize for
122  * its virtual functions.  Here is how the above example might be modified
123  * to introduce an overridden virtual function:
124  *
125  * <example>
126  *   <title>Overriding a virtual function</title>
127  *   <programlisting>
128  * #include "qdev.h"
129  *
130  * void my_device_class_init(ObjectClass *klass, void *class_data)
131  * {
132  *     DeviceClass *dc = DEVICE_CLASS(klass);
133  *     dc->reset = my_device_reset;
134  * }
135  *
136  * static const TypeInfo my_device_info = {
137  *     .name = TYPE_MY_DEVICE,
138  *     .parent = TYPE_DEVICE,
139  *     .instance_size = sizeof(MyDevice),
140  *     .class_init = my_device_class_init,
141  * };
142  *   </programlisting>
143  * </example>
144  *
145  * Introducing new virtual methods requires a class to define its own
146  * struct and to add a .class_size member to the #TypeInfo.  Each method
147  * will also have a wrapper function to call it easily:
148  *
149  * <example>
150  *   <title>Defining an abstract class</title>
151  *   <programlisting>
152  * #include "qdev.h"
153  *
154  * typedef struct MyDeviceClass
155  * {
156  *     DeviceClass parent;
157  *
158  *     void (*frobnicate) (MyDevice *obj);
159  * } MyDeviceClass;
160  *
161  * static const TypeInfo my_device_info = {
162  *     .name = TYPE_MY_DEVICE,
163  *     .parent = TYPE_DEVICE,
164  *     .instance_size = sizeof(MyDevice),
165  *     .abstract = true, // or set a default in my_device_class_init
166  *     .class_size = sizeof(MyDeviceClass),
167  * };
168  *
169  * void my_device_frobnicate(MyDevice *obj)
170  * {
171  *     MyDeviceClass *klass = MY_DEVICE_GET_CLASS(obj);
172  *
173  *     klass->frobnicate(obj);
174  * }
175  *   </programlisting>
176  * </example>
177  *
178  * # Interfaces #
179  *
180  * Interfaces allow a limited form of multiple inheritance.  Instances are
181  * similar to normal types except for the fact that are only defined by
182  * their classes and never carry any state.  You can dynamically cast an object
183  * to one of its #Interface types and vice versa.
184  *
185  * # Methods #
186  *
187  * A <emphasis>method</emphasis> is a function within the namespace scope of
188  * a class. It usually operates on the object instance by passing it as a
189  * strongly-typed first argument.
190  * If it does not operate on an object instance, it is dubbed
191  * <emphasis>class method</emphasis>.
192  *
193  * Methods cannot be overloaded. That is, the #ObjectClass and method name
194  * uniquely identity the function to be called; the signature does not vary
195  * except for trailing varargs.
196  *
197  * Methods are always <emphasis>virtual</emphasis>. Overriding a method in
198  * #TypeInfo.class_init of a subclass leads to any user of the class obtained
199  * via OBJECT_GET_CLASS() accessing the overridden function.
200  * The original function is not automatically invoked. It is the responsibility
201  * of the overriding class to determine whether and when to invoke the method
202  * being overridden.
203  *
204  * To invoke the method being overridden, the preferred solution is to store
205  * the original value in the overriding class before overriding the method.
206  * This corresponds to |[ {super,base}.method(...) ]| in Java and C#
207  * respectively; this frees the overriding class from hardcoding its parent
208  * class, which someone might choose to change at some point.
209  *
210  * <example>
211  *   <title>Overriding a virtual method</title>
212  *   <programlisting>
213  * typedef struct MyState MyState;
214  *
215  * typedef void (*MyDoSomething)(MyState *obj);
216  *
217  * typedef struct MyClass {
218  *     ObjectClass parent_class;
219  *
220  *     MyDoSomething do_something;
221  * } MyClass;
222  *
223  * static void my_do_something(MyState *obj)
224  * {
225  *     // do something
226  * }
227  *
228  * static void my_class_init(ObjectClass *oc, void *data)
229  * {
230  *     MyClass *mc = MY_CLASS(oc);
231  *
232  *     mc->do_something = my_do_something;
233  * }
234  *
235  * static const TypeInfo my_type_info = {
236  *     .name = TYPE_MY,
237  *     .parent = TYPE_OBJECT,
238  *     .instance_size = sizeof(MyState),
239  *     .class_size = sizeof(MyClass),
240  *     .class_init = my_class_init,
241  * };
242  *
243  * typedef struct DerivedClass {
244  *     MyClass parent_class;
245  *
246  *     MyDoSomething parent_do_something;
247  * } DerivedClass;
248  *
249  * static void derived_do_something(MyState *obj)
250  * {
251  *     DerivedClass *dc = DERIVED_GET_CLASS(obj);
252  *
253  *     // do something here
254  *     dc->parent_do_something(obj);
255  *     // do something else here
256  * }
257  *
258  * static void derived_class_init(ObjectClass *oc, void *data)
259  * {
260  *     MyClass *mc = MY_CLASS(oc);
261  *     DerivedClass *dc = DERIVED_CLASS(oc);
262  *
263  *     dc->parent_do_something = mc->do_something;
264  *     mc->do_something = derived_do_something;
265  * }
266  *
267  * static const TypeInfo derived_type_info = {
268  *     .name = TYPE_DERIVED,
269  *     .parent = TYPE_MY,
270  *     .class_size = sizeof(DerivedClass),
271  *     .class_init = derived_class_init,
272  * };
273  *   </programlisting>
274  * </example>
275  *
276  * Alternatively, object_class_by_name() can be used to obtain the class and
277  * its non-overridden methods for a specific type. This would correspond to
278  * |[ MyClass::method(...) ]| in C++.
279  *
280  * The first example of such a QOM method was #CPUClass.reset,
281  * another example is #DeviceClass.realize.
282  */
283 
284 
285 /**
286  * ObjectPropertyAccessor:
287  * @obj: the object that owns the property
288  * @v: the visitor that contains the property data
289  * @name: the name of the property
290  * @opaque: the object property opaque
291  * @errp: a pointer to an Error that is filled if getting/setting fails.
292  *
293  * Called when trying to get/set a property.
294  */
295 typedef void (ObjectPropertyAccessor)(Object *obj,
296                                       Visitor *v,
297                                       const char *name,
298                                       void *opaque,
299                                       Error **errp);
300 
301 /**
302  * ObjectPropertyResolve:
303  * @obj: the object that owns the property
304  * @opaque: the opaque registered with the property
305  * @part: the name of the property
306  *
307  * Resolves the #Object corresponding to property @part.
308  *
309  * The returned object can also be used as a starting point
310  * to resolve a relative path starting with "@part".
311  *
312  * Returns: If @path is the path that led to @obj, the function
313  * returns the #Object corresponding to "@path/@part".
314  * If "@path/@part" is not a valid object path, it returns #NULL.
315  */
316 typedef Object *(ObjectPropertyResolve)(Object *obj,
317                                         void *opaque,
318                                         const char *part);
319 
320 /**
321  * ObjectPropertyRelease:
322  * @obj: the object that owns the property
323  * @name: the name of the property
324  * @opaque: the opaque registered with the property
325  *
326  * Called when a property is removed from a object.
327  */
328 typedef void (ObjectPropertyRelease)(Object *obj,
329                                      const char *name,
330                                      void *opaque);
331 
332 typedef struct ObjectProperty
333 {
334     gchar *name;
335     gchar *type;
336     gchar *description;
337     ObjectPropertyAccessor *get;
338     ObjectPropertyAccessor *set;
339     ObjectPropertyResolve *resolve;
340     ObjectPropertyRelease *release;
341     void *opaque;
342 } ObjectProperty;
343 
344 /**
345  * ObjectUnparent:
346  * @obj: the object that is being removed from the composition tree
347  *
348  * Called when an object is being removed from the QOM composition tree.
349  * The function should remove any backlinks from children objects to @obj.
350  */
351 typedef void (ObjectUnparent)(Object *obj);
352 
353 /**
354  * ObjectFree:
355  * @obj: the object being freed
356  *
357  * Called when an object's last reference is removed.
358  */
359 typedef void (ObjectFree)(void *obj);
360 
361 #define OBJECT_CLASS_CAST_CACHE 4
362 
363 /**
364  * ObjectClass:
365  *
366  * The base for all classes.  The only thing that #ObjectClass contains is an
367  * integer type handle.
368  */
369 struct ObjectClass
370 {
371     /*< private >*/
372     Type type;
373     GSList *interfaces;
374 
375     const char *object_cast_cache[OBJECT_CLASS_CAST_CACHE];
376     const char *class_cast_cache[OBJECT_CLASS_CAST_CACHE];
377 
378     ObjectUnparent *unparent;
379 
380     GHashTable *properties;
381 };
382 
383 /**
384  * Object:
385  *
386  * The base for all objects.  The first member of this object is a pointer to
387  * a #ObjectClass.  Since C guarantees that the first member of a structure
388  * always begins at byte 0 of that structure, as long as any sub-object places
389  * its parent as the first member, we can cast directly to a #Object.
390  *
391  * As a result, #Object contains a reference to the objects type as its
392  * first member.  This allows identification of the real type of the object at
393  * run time.
394  */
395 struct Object
396 {
397     /*< private >*/
398     ObjectClass *class;
399     ObjectFree *free;
400     GHashTable *properties;
401     uint32_t ref;
402     Object *parent;
403 };
404 
405 /**
406  * TypeInfo:
407  * @name: The name of the type.
408  * @parent: The name of the parent type.
409  * @instance_size: The size of the object (derivative of #Object).  If
410  *   @instance_size is 0, then the size of the object will be the size of the
411  *   parent object.
412  * @instance_init: This function is called to initialize an object.  The parent
413  *   class will have already been initialized so the type is only responsible
414  *   for initializing its own members.
415  * @instance_post_init: This function is called to finish initialization of
416  *   an object, after all @instance_init functions were called.
417  * @instance_finalize: This function is called during object destruction.  This
418  *   is called before the parent @instance_finalize function has been called.
419  *   An object should only free the members that are unique to its type in this
420  *   function.
421  * @abstract: If this field is true, then the class is considered abstract and
422  *   cannot be directly instantiated.
423  * @class_size: The size of the class object (derivative of #ObjectClass)
424  *   for this object.  If @class_size is 0, then the size of the class will be
425  *   assumed to be the size of the parent class.  This allows a type to avoid
426  *   implementing an explicit class type if they are not adding additional
427  *   virtual functions.
428  * @class_init: This function is called after all parent class initialization
429  *   has occurred to allow a class to set its default virtual method pointers.
430  *   This is also the function to use to override virtual methods from a parent
431  *   class.
432  * @class_base_init: This function is called for all base classes after all
433  *   parent class initialization has occurred, but before the class itself
434  *   is initialized.  This is the function to use to undo the effects of
435  *   memcpy from the parent class to the descendants.
436  * @class_finalize: This function is called during class destruction and is
437  *   meant to release and dynamic parameters allocated by @class_init.
438  * @class_data: Data to pass to the @class_init, @class_base_init and
439  *   @class_finalize functions.  This can be useful when building dynamic
440  *   classes.
441  * @interfaces: The list of interfaces associated with this type.  This
442  *   should point to a static array that's terminated with a zero filled
443  *   element.
444  */
445 struct TypeInfo
446 {
447     const char *name;
448     const char *parent;
449 
450     size_t instance_size;
451     void (*instance_init)(Object *obj);
452     void (*instance_post_init)(Object *obj);
453     void (*instance_finalize)(Object *obj);
454 
455     bool abstract;
456     size_t class_size;
457 
458     void (*class_init)(ObjectClass *klass, void *data);
459     void (*class_base_init)(ObjectClass *klass, void *data);
460     void (*class_finalize)(ObjectClass *klass, void *data);
461     void *class_data;
462 
463     InterfaceInfo *interfaces;
464 };
465 
466 /**
467  * OBJECT:
468  * @obj: A derivative of #Object
469  *
470  * Converts an object to a #Object.  Since all objects are #Objects,
471  * this function will always succeed.
472  */
473 #define OBJECT(obj) \
474     ((Object *)(obj))
475 
476 /**
477  * OBJECT_CLASS:
478  * @class: A derivative of #ObjectClass.
479  *
480  * Converts a class to an #ObjectClass.  Since all objects are #Objects,
481  * this function will always succeed.
482  */
483 #define OBJECT_CLASS(class) \
484     ((ObjectClass *)(class))
485 
486 /**
487  * OBJECT_CHECK:
488  * @type: The C type to use for the return value.
489  * @obj: A derivative of @type to cast.
490  * @name: The QOM typename of @type
491  *
492  * A type safe version of @object_dynamic_cast_assert.  Typically each class
493  * will define a macro based on this type to perform type safe dynamic_casts to
494  * this object type.
495  *
496  * If an invalid object is passed to this function, a run time assert will be
497  * generated.
498  */
499 #define OBJECT_CHECK(type, obj, name) \
500     ((type *)object_dynamic_cast_assert(OBJECT(obj), (name), \
501                                         __FILE__, __LINE__, __func__))
502 
503 /**
504  * OBJECT_CLASS_CHECK:
505  * @class_type: The C type to use for the return value.
506  * @class: A derivative class of @class_type to cast.
507  * @name: the QOM typename of @class_type.
508  *
509  * A type safe version of @object_class_dynamic_cast_assert.  This macro is
510  * typically wrapped by each type to perform type safe casts of a class to a
511  * specific class type.
512  */
513 #define OBJECT_CLASS_CHECK(class_type, class, name) \
514     ((class_type *)object_class_dynamic_cast_assert(OBJECT_CLASS(class), (name), \
515                                                __FILE__, __LINE__, __func__))
516 
517 /**
518  * OBJECT_GET_CLASS:
519  * @class: The C type to use for the return value.
520  * @obj: The object to obtain the class for.
521  * @name: The QOM typename of @obj.
522  *
523  * This function will return a specific class for a given object.  Its generally
524  * used by each type to provide a type safe macro to get a specific class type
525  * from an object.
526  */
527 #define OBJECT_GET_CLASS(class, obj, name) \
528     OBJECT_CLASS_CHECK(class, object_get_class(OBJECT(obj)), name)
529 
530 /**
531  * InterfaceInfo:
532  * @type: The name of the interface.
533  *
534  * The information associated with an interface.
535  */
536 struct InterfaceInfo {
537     const char *type;
538 };
539 
540 /**
541  * InterfaceClass:
542  * @parent_class: the base class
543  *
544  * The class for all interfaces.  Subclasses of this class should only add
545  * virtual methods.
546  */
547 struct InterfaceClass
548 {
549     ObjectClass parent_class;
550     /*< private >*/
551     ObjectClass *concrete_class;
552     Type interface_type;
553 };
554 
555 #define TYPE_INTERFACE "interface"
556 
557 /**
558  * INTERFACE_CLASS:
559  * @klass: class to cast from
560  * Returns: An #InterfaceClass or raise an error if cast is invalid
561  */
562 #define INTERFACE_CLASS(klass) \
563     OBJECT_CLASS_CHECK(InterfaceClass, klass, TYPE_INTERFACE)
564 
565 /**
566  * INTERFACE_CHECK:
567  * @interface: the type to return
568  * @obj: the object to convert to an interface
569  * @name: the interface type name
570  *
571  * Returns: @obj casted to @interface if cast is valid, otherwise raise error.
572  */
573 #define INTERFACE_CHECK(interface, obj, name) \
574     ((interface *)object_dynamic_cast_assert(OBJECT((obj)), (name), \
575                                              __FILE__, __LINE__, __func__))
576 
577 /**
578  * object_new:
579  * @typename: The name of the type of the object to instantiate.
580  *
581  * This function will initialize a new object using heap allocated memory.
582  * The returned object has a reference count of 1, and will be freed when
583  * the last reference is dropped.
584  *
585  * Returns: The newly allocated and instantiated object.
586  */
587 Object *object_new(const char *typename);
588 
589 /**
590  * object_new_with_props:
591  * @typename:  The name of the type of the object to instantiate.
592  * @parent: the parent object
593  * @id: The unique ID of the object
594  * @errp: pointer to error object
595  * @...: list of property names and values
596  *
597  * This function will initialize a new object using heap allocated memory.
598  * The returned object has a reference count of 1, and will be freed when
599  * the last reference is dropped.
600  *
601  * The @id parameter will be used when registering the object as a
602  * child of @parent in the composition tree.
603  *
604  * The variadic parameters are a list of pairs of (propname, propvalue)
605  * strings. The propname of %NULL indicates the end of the property
606  * list. If the object implements the user creatable interface, the
607  * object will be marked complete once all the properties have been
608  * processed.
609  *
610  * <example>
611  *   <title>Creating an object with properties</title>
612  *   <programlisting>
613  *   Error *err = NULL;
614  *   Object *obj;
615  *
616  *   obj = object_new_with_props(TYPE_MEMORY_BACKEND_FILE,
617  *                               object_get_objects_root(),
618  *                               "hostmem0",
619  *                               &err,
620  *                               "share", "yes",
621  *                               "mem-path", "/dev/shm/somefile",
622  *                               "prealloc", "yes",
623  *                               "size", "1048576",
624  *                               NULL);
625  *
626  *   if (!obj) {
627  *     g_printerr("Cannot create memory backend: %s\n",
628  *                error_get_pretty(err));
629  *   }
630  *   </programlisting>
631  * </example>
632  *
633  * The returned object will have one stable reference maintained
634  * for as long as it is present in the object hierarchy.
635  *
636  * Returns: The newly allocated, instantiated & initialized object.
637  */
638 Object *object_new_with_props(const char *typename,
639                               Object *parent,
640                               const char *id,
641                               Error **errp,
642                               ...) QEMU_SENTINEL;
643 
644 /**
645  * object_new_with_propv:
646  * @typename:  The name of the type of the object to instantiate.
647  * @parent: the parent object
648  * @id: The unique ID of the object
649  * @errp: pointer to error object
650  * @vargs: list of property names and values
651  *
652  * See object_new_with_props() for documentation.
653  */
654 Object *object_new_with_propv(const char *typename,
655                               Object *parent,
656                               const char *id,
657                               Error **errp,
658                               va_list vargs);
659 
660 /**
661  * object_set_props:
662  * @obj: the object instance to set properties on
663  * @errp: pointer to error object
664  * @...: list of property names and values
665  *
666  * This function will set a list of properties on an existing object
667  * instance.
668  *
669  * The variadic parameters are a list of pairs of (propname, propvalue)
670  * strings. The propname of %NULL indicates the end of the property
671  * list.
672  *
673  * <example>
674  *   <title>Update an object's properties</title>
675  *   <programlisting>
676  *   Error *err = NULL;
677  *   Object *obj = ...get / create object...;
678  *
679  *   obj = object_set_props(obj,
680  *                          &err,
681  *                          "share", "yes",
682  *                          "mem-path", "/dev/shm/somefile",
683  *                          "prealloc", "yes",
684  *                          "size", "1048576",
685  *                          NULL);
686  *
687  *   if (!obj) {
688  *     g_printerr("Cannot set properties: %s\n",
689  *                error_get_pretty(err));
690  *   }
691  *   </programlisting>
692  * </example>
693  *
694  * The returned object will have one stable reference maintained
695  * for as long as it is present in the object hierarchy.
696  *
697  * Returns: -1 on error, 0 on success
698  */
699 int object_set_props(Object *obj,
700                      Error **errp,
701                      ...) QEMU_SENTINEL;
702 
703 /**
704  * object_set_propv:
705  * @obj: the object instance to set properties on
706  * @errp: pointer to error object
707  * @vargs: list of property names and values
708  *
709  * See object_set_props() for documentation.
710  *
711  * Returns: -1 on error, 0 on success
712  */
713 int object_set_propv(Object *obj,
714                      Error **errp,
715                      va_list vargs);
716 
717 /**
718  * object_initialize:
719  * @obj: A pointer to the memory to be used for the object.
720  * @size: The maximum size available at @obj for the object.
721  * @typename: The name of the type of the object to instantiate.
722  *
723  * This function will initialize an object.  The memory for the object should
724  * have already been allocated.  The returned object has a reference count of 1,
725  * and will be finalized when the last reference is dropped.
726  */
727 void object_initialize(void *obj, size_t size, const char *typename);
728 
729 /**
730  * object_dynamic_cast:
731  * @obj: The object to cast.
732  * @typename: The @typename to cast to.
733  *
734  * This function will determine if @obj is-a @typename.  @obj can refer to an
735  * object or an interface associated with an object.
736  *
737  * Returns: This function returns @obj on success or #NULL on failure.
738  */
739 Object *object_dynamic_cast(Object *obj, const char *typename);
740 
741 /**
742  * object_dynamic_cast_assert:
743  *
744  * See object_dynamic_cast() for a description of the parameters of this
745  * function.  The only difference in behavior is that this function asserts
746  * instead of returning #NULL on failure if QOM cast debugging is enabled.
747  * This function is not meant to be called directly, but only through
748  * the wrapper macro OBJECT_CHECK.
749  */
750 Object *object_dynamic_cast_assert(Object *obj, const char *typename,
751                                    const char *file, int line, const char *func);
752 
753 /**
754  * object_get_class:
755  * @obj: A derivative of #Object
756  *
757  * Returns: The #ObjectClass of the type associated with @obj.
758  */
759 ObjectClass *object_get_class(Object *obj);
760 
761 /**
762  * object_get_typename:
763  * @obj: A derivative of #Object.
764  *
765  * Returns: The QOM typename of @obj.
766  */
767 const char *object_get_typename(const Object *obj);
768 
769 /**
770  * type_register_static:
771  * @info: The #TypeInfo of the new type.
772  *
773  * @info and all of the strings it points to should exist for the life time
774  * that the type is registered.
775  *
776  * Returns: the new #Type.
777  */
778 Type type_register_static(const TypeInfo *info);
779 
780 /**
781  * type_register:
782  * @info: The #TypeInfo of the new type
783  *
784  * Unlike type_register_static(), this call does not require @info or its
785  * string members to continue to exist after the call returns.
786  *
787  * Returns: the new #Type.
788  */
789 Type type_register(const TypeInfo *info);
790 
791 /**
792  * type_register_static_array:
793  * @infos: The array of the new type #TypeInfo structures.
794  * @nr_infos: number of entries in @infos
795  *
796  * @infos and all of the strings it points to should exist for the life time
797  * that the type is registered.
798  */
799 void type_register_static_array(const TypeInfo *infos, int nr_infos);
800 
801 /**
802  * object_class_dynamic_cast_assert:
803  * @klass: The #ObjectClass to attempt to cast.
804  * @typename: The QOM typename of the class to cast to.
805  *
806  * See object_class_dynamic_cast() for a description of the parameters
807  * of this function.  The only difference in behavior is that this function
808  * asserts instead of returning #NULL on failure if QOM cast debugging is
809  * enabled.  This function is not meant to be called directly, but only through
810  * the wrapper macros OBJECT_CLASS_CHECK and INTERFACE_CHECK.
811  */
812 ObjectClass *object_class_dynamic_cast_assert(ObjectClass *klass,
813                                               const char *typename,
814                                               const char *file, int line,
815                                               const char *func);
816 
817 /**
818  * object_class_dynamic_cast:
819  * @klass: The #ObjectClass to attempt to cast.
820  * @typename: The QOM typename of the class to cast to.
821  *
822  * Returns: If @typename is a class, this function returns @klass if
823  * @typename is a subtype of @klass, else returns #NULL.
824  *
825  * If @typename is an interface, this function returns the interface
826  * definition for @klass if @klass implements it unambiguously; #NULL
827  * is returned if @klass does not implement the interface or if multiple
828  * classes or interfaces on the hierarchy leading to @klass implement
829  * it.  (FIXME: perhaps this can be detected at type definition time?)
830  */
831 ObjectClass *object_class_dynamic_cast(ObjectClass *klass,
832                                        const char *typename);
833 
834 /**
835  * object_class_get_parent:
836  * @klass: The class to obtain the parent for.
837  *
838  * Returns: The parent for @klass or %NULL if none.
839  */
840 ObjectClass *object_class_get_parent(ObjectClass *klass);
841 
842 /**
843  * object_class_get_name:
844  * @klass: The class to obtain the QOM typename for.
845  *
846  * Returns: The QOM typename for @klass.
847  */
848 const char *object_class_get_name(ObjectClass *klass);
849 
850 /**
851  * object_class_is_abstract:
852  * @klass: The class to obtain the abstractness for.
853  *
854  * Returns: %true if @klass is abstract, %false otherwise.
855  */
856 bool object_class_is_abstract(ObjectClass *klass);
857 
858 /**
859  * object_class_by_name:
860  * @typename: The QOM typename to obtain the class for.
861  *
862  * Returns: The class for @typename or %NULL if not found.
863  */
864 ObjectClass *object_class_by_name(const char *typename);
865 
866 void object_class_foreach(void (*fn)(ObjectClass *klass, void *opaque),
867                           const char *implements_type, bool include_abstract,
868                           void *opaque);
869 
870 /**
871  * object_class_get_list:
872  * @implements_type: The type to filter for, including its derivatives.
873  * @include_abstract: Whether to include abstract classes.
874  *
875  * Returns: A singly-linked list of the classes in reverse hashtable order.
876  */
877 GSList *object_class_get_list(const char *implements_type,
878                               bool include_abstract);
879 
880 /**
881  * object_ref:
882  * @obj: the object
883  *
884  * Increase the reference count of a object.  A object cannot be freed as long
885  * as its reference count is greater than zero.
886  */
887 void object_ref(Object *obj);
888 
889 /**
890  * object_unref:
891  * @obj: the object
892  *
893  * Decrease the reference count of a object.  A object cannot be freed as long
894  * as its reference count is greater than zero.
895  */
896 void object_unref(Object *obj);
897 
898 /**
899  * object_property_add:
900  * @obj: the object to add a property to
901  * @name: the name of the property.  This can contain any character except for
902  *  a forward slash.  In general, you should use hyphens '-' instead of
903  *  underscores '_' when naming properties.
904  * @type: the type name of the property.  This namespace is pretty loosely
905  *   defined.  Sub namespaces are constructed by using a prefix and then
906  *   to angle brackets.  For instance, the type 'virtio-net-pci' in the
907  *   'link' namespace would be 'link<virtio-net-pci>'.
908  * @get: The getter to be called to read a property.  If this is NULL, then
909  *   the property cannot be read.
910  * @set: the setter to be called to write a property.  If this is NULL,
911  *   then the property cannot be written.
912  * @release: called when the property is removed from the object.  This is
913  *   meant to allow a property to free its opaque upon object
914  *   destruction.  This may be NULL.
915  * @opaque: an opaque pointer to pass to the callbacks for the property
916  * @errp: returns an error if this function fails
917  *
918  * Returns: The #ObjectProperty; this can be used to set the @resolve
919  * callback for child and link properties.
920  */
921 ObjectProperty *object_property_add(Object *obj, const char *name,
922                                     const char *type,
923                                     ObjectPropertyAccessor *get,
924                                     ObjectPropertyAccessor *set,
925                                     ObjectPropertyRelease *release,
926                                     void *opaque, Error **errp);
927 
928 void object_property_del(Object *obj, const char *name, Error **errp);
929 
930 ObjectProperty *object_class_property_add(ObjectClass *klass, const char *name,
931                                           const char *type,
932                                           ObjectPropertyAccessor *get,
933                                           ObjectPropertyAccessor *set,
934                                           ObjectPropertyRelease *release,
935                                           void *opaque, Error **errp);
936 
937 /**
938  * object_property_find:
939  * @obj: the object
940  * @name: the name of the property
941  * @errp: returns an error if this function fails
942  *
943  * Look up a property for an object and return its #ObjectProperty if found.
944  */
945 ObjectProperty *object_property_find(Object *obj, const char *name,
946                                      Error **errp);
947 ObjectProperty *object_class_property_find(ObjectClass *klass, const char *name,
948                                            Error **errp);
949 
950 typedef struct ObjectPropertyIterator {
951     ObjectClass *nextclass;
952     GHashTableIter iter;
953 } ObjectPropertyIterator;
954 
955 /**
956  * object_property_iter_init:
957  * @obj: the object
958  *
959  * Initializes an iterator for traversing all properties
960  * registered against an object instance, its class and all parent classes.
961  *
962  * It is forbidden to modify the property list while iterating,
963  * whether removing or adding properties.
964  *
965  * Typical usage pattern would be
966  *
967  * <example>
968  *   <title>Using object property iterators</title>
969  *   <programlisting>
970  *   ObjectProperty *prop;
971  *   ObjectPropertyIterator iter;
972  *
973  *   object_property_iter_init(&iter, obj);
974  *   while ((prop = object_property_iter_next(&iter))) {
975  *     ... do something with prop ...
976  *   }
977  *   </programlisting>
978  * </example>
979  */
980 void object_property_iter_init(ObjectPropertyIterator *iter,
981                                Object *obj);
982 
983 /**
984  * object_property_iter_next:
985  * @iter: the iterator instance
986  *
987  * Return the next available property. If no further properties
988  * are available, a %NULL value will be returned and the @iter
989  * pointer should not be used again after this point without
990  * re-initializing it.
991  *
992  * Returns: the next property, or %NULL when all properties
993  * have been traversed.
994  */
995 ObjectProperty *object_property_iter_next(ObjectPropertyIterator *iter);
996 
997 void object_unparent(Object *obj);
998 
999 /**
1000  * object_property_get:
1001  * @obj: the object
1002  * @v: the visitor that will receive the property value.  This should be an
1003  *   Output visitor and the data will be written with @name as the name.
1004  * @name: the name of the property
1005  * @errp: returns an error if this function fails
1006  *
1007  * Reads a property from a object.
1008  */
1009 void object_property_get(Object *obj, Visitor *v, const char *name,
1010                          Error **errp);
1011 
1012 /**
1013  * object_property_set_str:
1014  * @value: the value to be written to the property
1015  * @name: the name of the property
1016  * @errp: returns an error if this function fails
1017  *
1018  * Writes a string value to a property.
1019  */
1020 void object_property_set_str(Object *obj, const char *value,
1021                              const char *name, Error **errp);
1022 
1023 /**
1024  * object_property_get_str:
1025  * @obj: the object
1026  * @name: the name of the property
1027  * @errp: returns an error if this function fails
1028  *
1029  * Returns: the value of the property, converted to a C string, or NULL if
1030  * an error occurs (including when the property value is not a string).
1031  * The caller should free the string.
1032  */
1033 char *object_property_get_str(Object *obj, const char *name,
1034                               Error **errp);
1035 
1036 /**
1037  * object_property_set_link:
1038  * @value: the value to be written to the property
1039  * @name: the name of the property
1040  * @errp: returns an error if this function fails
1041  *
1042  * Writes an object's canonical path to a property.
1043  */
1044 void object_property_set_link(Object *obj, Object *value,
1045                               const char *name, Error **errp);
1046 
1047 /**
1048  * object_property_get_link:
1049  * @obj: the object
1050  * @name: the name of the property
1051  * @errp: returns an error if this function fails
1052  *
1053  * Returns: the value of the property, resolved from a path to an Object,
1054  * or NULL if an error occurs (including when the property value is not a
1055  * string or not a valid object path).
1056  */
1057 Object *object_property_get_link(Object *obj, const char *name,
1058                                  Error **errp);
1059 
1060 /**
1061  * object_property_set_bool:
1062  * @value: the value to be written to the property
1063  * @name: the name of the property
1064  * @errp: returns an error if this function fails
1065  *
1066  * Writes a bool value to a property.
1067  */
1068 void object_property_set_bool(Object *obj, bool value,
1069                               const char *name, Error **errp);
1070 
1071 /**
1072  * object_property_get_bool:
1073  * @obj: the object
1074  * @name: the name of the property
1075  * @errp: returns an error if this function fails
1076  *
1077  * Returns: the value of the property, converted to a boolean, or NULL if
1078  * an error occurs (including when the property value is not a bool).
1079  */
1080 bool object_property_get_bool(Object *obj, const char *name,
1081                               Error **errp);
1082 
1083 /**
1084  * object_property_set_int:
1085  * @value: the value to be written to the property
1086  * @name: the name of the property
1087  * @errp: returns an error if this function fails
1088  *
1089  * Writes an integer value to a property.
1090  */
1091 void object_property_set_int(Object *obj, int64_t value,
1092                              const char *name, Error **errp);
1093 
1094 /**
1095  * object_property_get_int:
1096  * @obj: the object
1097  * @name: the name of the property
1098  * @errp: returns an error if this function fails
1099  *
1100  * Returns: the value of the property, converted to an integer, or negative if
1101  * an error occurs (including when the property value is not an integer).
1102  */
1103 int64_t object_property_get_int(Object *obj, const char *name,
1104                                 Error **errp);
1105 
1106 /**
1107  * object_property_set_uint:
1108  * @value: the value to be written to the property
1109  * @name: the name of the property
1110  * @errp: returns an error if this function fails
1111  *
1112  * Writes an unsigned integer value to a property.
1113  */
1114 void object_property_set_uint(Object *obj, uint64_t value,
1115                               const char *name, Error **errp);
1116 
1117 /**
1118  * object_property_get_uint:
1119  * @obj: the object
1120  * @name: the name of the property
1121  * @errp: returns an error if this function fails
1122  *
1123  * Returns: the value of the property, converted to an unsigned integer, or 0
1124  * an error occurs (including when the property value is not an integer).
1125  */
1126 uint64_t object_property_get_uint(Object *obj, const char *name,
1127                                   Error **errp);
1128 
1129 /**
1130  * object_property_get_enum:
1131  * @obj: the object
1132  * @name: the name of the property
1133  * @typename: the name of the enum data type
1134  * @errp: returns an error if this function fails
1135  *
1136  * Returns: the value of the property, converted to an integer, or
1137  * undefined if an error occurs (including when the property value is not
1138  * an enum).
1139  */
1140 int object_property_get_enum(Object *obj, const char *name,
1141                              const char *typename, Error **errp);
1142 
1143 /**
1144  * object_property_get_uint16List:
1145  * @obj: the object
1146  * @name: the name of the property
1147  * @list: the returned int list
1148  * @errp: returns an error if this function fails
1149  *
1150  * Returns: the value of the property, converted to integers, or
1151  * undefined if an error occurs (including when the property value is not
1152  * an list of integers).
1153  */
1154 void object_property_get_uint16List(Object *obj, const char *name,
1155                                     uint16List **list, Error **errp);
1156 
1157 /**
1158  * object_property_set:
1159  * @obj: the object
1160  * @v: the visitor that will be used to write the property value.  This should
1161  *   be an Input visitor and the data will be first read with @name as the
1162  *   name and then written as the property value.
1163  * @name: the name of the property
1164  * @errp: returns an error if this function fails
1165  *
1166  * Writes a property to a object.
1167  */
1168 void object_property_set(Object *obj, Visitor *v, const char *name,
1169                          Error **errp);
1170 
1171 /**
1172  * object_property_parse:
1173  * @obj: the object
1174  * @string: the string that will be used to parse the property value.
1175  * @name: the name of the property
1176  * @errp: returns an error if this function fails
1177  *
1178  * Parses a string and writes the result into a property of an object.
1179  */
1180 void object_property_parse(Object *obj, const char *string,
1181                            const char *name, Error **errp);
1182 
1183 /**
1184  * object_property_print:
1185  * @obj: the object
1186  * @name: the name of the property
1187  * @human: if true, print for human consumption
1188  * @errp: returns an error if this function fails
1189  *
1190  * Returns a string representation of the value of the property.  The
1191  * caller shall free the string.
1192  */
1193 char *object_property_print(Object *obj, const char *name, bool human,
1194                             Error **errp);
1195 
1196 /**
1197  * object_property_get_type:
1198  * @obj: the object
1199  * @name: the name of the property
1200  * @errp: returns an error if this function fails
1201  *
1202  * Returns:  The type name of the property.
1203  */
1204 const char *object_property_get_type(Object *obj, const char *name,
1205                                      Error **errp);
1206 
1207 /**
1208  * object_get_root:
1209  *
1210  * Returns: the root object of the composition tree
1211  */
1212 Object *object_get_root(void);
1213 
1214 
1215 /**
1216  * object_get_objects_root:
1217  *
1218  * Get the container object that holds user created
1219  * object instances. This is the object at path
1220  * "/objects"
1221  *
1222  * Returns: the user object container
1223  */
1224 Object *object_get_objects_root(void);
1225 
1226 /**
1227  * object_get_internal_root:
1228  *
1229  * Get the container object that holds internally used object
1230  * instances.  Any object which is put into this container must not be
1231  * user visible, and it will not be exposed in the QOM tree.
1232  *
1233  * Returns: the internal object container
1234  */
1235 Object *object_get_internal_root(void);
1236 
1237 /**
1238  * object_get_canonical_path_component:
1239  *
1240  * Returns: The final component in the object's canonical path.  The canonical
1241  * path is the path within the composition tree starting from the root.
1242  */
1243 gchar *object_get_canonical_path_component(Object *obj);
1244 
1245 /**
1246  * object_get_canonical_path:
1247  *
1248  * Returns: The canonical path for a object.  This is the path within the
1249  * composition tree starting from the root.
1250  */
1251 gchar *object_get_canonical_path(Object *obj);
1252 
1253 /**
1254  * object_resolve_path:
1255  * @path: the path to resolve
1256  * @ambiguous: returns true if the path resolution failed because of an
1257  *   ambiguous match
1258  *
1259  * There are two types of supported paths--absolute paths and partial paths.
1260  *
1261  * Absolute paths are derived from the root object and can follow child<> or
1262  * link<> properties.  Since they can follow link<> properties, they can be
1263  * arbitrarily long.  Absolute paths look like absolute filenames and are
1264  * prefixed with a leading slash.
1265  *
1266  * Partial paths look like relative filenames.  They do not begin with a
1267  * prefix.  The matching rules for partial paths are subtle but designed to make
1268  * specifying objects easy.  At each level of the composition tree, the partial
1269  * path is matched as an absolute path.  The first match is not returned.  At
1270  * least two matches are searched for.  A successful result is only returned if
1271  * only one match is found.  If more than one match is found, a flag is
1272  * returned to indicate that the match was ambiguous.
1273  *
1274  * Returns: The matched object or NULL on path lookup failure.
1275  */
1276 Object *object_resolve_path(const char *path, bool *ambiguous);
1277 
1278 /**
1279  * object_resolve_path_type:
1280  * @path: the path to resolve
1281  * @typename: the type to look for.
1282  * @ambiguous: returns true if the path resolution failed because of an
1283  *   ambiguous match
1284  *
1285  * This is similar to object_resolve_path.  However, when looking for a
1286  * partial path only matches that implement the given type are considered.
1287  * This restricts the search and avoids spuriously flagging matches as
1288  * ambiguous.
1289  *
1290  * For both partial and absolute paths, the return value goes through
1291  * a dynamic cast to @typename.  This is important if either the link,
1292  * or the typename itself are of interface types.
1293  *
1294  * Returns: The matched object or NULL on path lookup failure.
1295  */
1296 Object *object_resolve_path_type(const char *path, const char *typename,
1297                                  bool *ambiguous);
1298 
1299 /**
1300  * object_resolve_path_component:
1301  * @parent: the object in which to resolve the path
1302  * @part: the component to resolve.
1303  *
1304  * This is similar to object_resolve_path with an absolute path, but it
1305  * only resolves one element (@part) and takes the others from @parent.
1306  *
1307  * Returns: The resolved object or NULL on path lookup failure.
1308  */
1309 Object *object_resolve_path_component(Object *parent, const gchar *part);
1310 
1311 /**
1312  * object_property_add_child:
1313  * @obj: the object to add a property to
1314  * @name: the name of the property
1315  * @child: the child object
1316  * @errp: if an error occurs, a pointer to an area to store the area
1317  *
1318  * Child properties form the composition tree.  All objects need to be a child
1319  * of another object.  Objects can only be a child of one object.
1320  *
1321  * There is no way for a child to determine what its parent is.  It is not
1322  * a bidirectional relationship.  This is by design.
1323  *
1324  * The value of a child property as a C string will be the child object's
1325  * canonical path. It can be retrieved using object_property_get_str().
1326  * The child object itself can be retrieved using object_property_get_link().
1327  */
1328 void object_property_add_child(Object *obj, const char *name,
1329                                Object *child, Error **errp);
1330 
1331 typedef enum {
1332     /* Unref the link pointer when the property is deleted */
1333     OBJ_PROP_LINK_UNREF_ON_RELEASE = 0x1,
1334 } ObjectPropertyLinkFlags;
1335 
1336 /**
1337  * object_property_allow_set_link:
1338  *
1339  * The default implementation of the object_property_add_link() check()
1340  * callback function.  It allows the link property to be set and never returns
1341  * an error.
1342  */
1343 void object_property_allow_set_link(const Object *, const char *,
1344                                     Object *, Error **);
1345 
1346 /**
1347  * object_property_add_link:
1348  * @obj: the object to add a property to
1349  * @name: the name of the property
1350  * @type: the qobj type of the link
1351  * @child: a pointer to where the link object reference is stored
1352  * @check: callback to veto setting or NULL if the property is read-only
1353  * @flags: additional options for the link
1354  * @errp: if an error occurs, a pointer to an area to store the area
1355  *
1356  * Links establish relationships between objects.  Links are unidirectional
1357  * although two links can be combined to form a bidirectional relationship
1358  * between objects.
1359  *
1360  * Links form the graph in the object model.
1361  *
1362  * The <code>@check()</code> callback is invoked when
1363  * object_property_set_link() is called and can raise an error to prevent the
1364  * link being set.  If <code>@check</code> is NULL, the property is read-only
1365  * and cannot be set.
1366  *
1367  * Ownership of the pointer that @child points to is transferred to the
1368  * link property.  The reference count for <code>*@child</code> is
1369  * managed by the property from after the function returns till the
1370  * property is deleted with object_property_del().  If the
1371  * <code>@flags</code> <code>OBJ_PROP_LINK_UNREF_ON_RELEASE</code> bit is set,
1372  * the reference count is decremented when the property is deleted.
1373  */
1374 void object_property_add_link(Object *obj, const char *name,
1375                               const char *type, Object **child,
1376                               void (*check)(const Object *obj, const char *name,
1377                                             Object *val, Error **errp),
1378                               ObjectPropertyLinkFlags flags,
1379                               Error **errp);
1380 
1381 /**
1382  * object_property_add_str:
1383  * @obj: the object to add a property to
1384  * @name: the name of the property
1385  * @get: the getter or NULL if the property is write-only.  This function must
1386  *   return a string to be freed by g_free().
1387  * @set: the setter or NULL if the property is read-only
1388  * @errp: if an error occurs, a pointer to an area to store the error
1389  *
1390  * Add a string property using getters/setters.  This function will add a
1391  * property of type 'string'.
1392  */
1393 void object_property_add_str(Object *obj, const char *name,
1394                              char *(*get)(Object *, Error **),
1395                              void (*set)(Object *, const char *, Error **),
1396                              Error **errp);
1397 
1398 void object_class_property_add_str(ObjectClass *klass, const char *name,
1399                                    char *(*get)(Object *, Error **),
1400                                    void (*set)(Object *, const char *,
1401                                                Error **),
1402                                    Error **errp);
1403 
1404 /**
1405  * object_property_add_bool:
1406  * @obj: the object to add a property to
1407  * @name: the name of the property
1408  * @get: the getter or NULL if the property is write-only.
1409  * @set: the setter or NULL if the property is read-only
1410  * @errp: if an error occurs, a pointer to an area to store the error
1411  *
1412  * Add a bool property using getters/setters.  This function will add a
1413  * property of type 'bool'.
1414  */
1415 void object_property_add_bool(Object *obj, const char *name,
1416                               bool (*get)(Object *, Error **),
1417                               void (*set)(Object *, bool, Error **),
1418                               Error **errp);
1419 
1420 void object_class_property_add_bool(ObjectClass *klass, const char *name,
1421                                     bool (*get)(Object *, Error **),
1422                                     void (*set)(Object *, bool, Error **),
1423                                     Error **errp);
1424 
1425 /**
1426  * object_property_add_enum:
1427  * @obj: the object to add a property to
1428  * @name: the name of the property
1429  * @typename: the name of the enum data type
1430  * @get: the getter or %NULL if the property is write-only.
1431  * @set: the setter or %NULL if the property is read-only
1432  * @errp: if an error occurs, a pointer to an area to store the error
1433  *
1434  * Add an enum property using getters/setters.  This function will add a
1435  * property of type '@typename'.
1436  */
1437 void object_property_add_enum(Object *obj, const char *name,
1438                               const char *typename,
1439                               const QEnumLookup *lookup,
1440                               int (*get)(Object *, Error **),
1441                               void (*set)(Object *, int, Error **),
1442                               Error **errp);
1443 
1444 void object_class_property_add_enum(ObjectClass *klass, const char *name,
1445                                     const char *typename,
1446                                     const QEnumLookup *lookup,
1447                                     int (*get)(Object *, Error **),
1448                                     void (*set)(Object *, int, Error **),
1449                                     Error **errp);
1450 
1451 /**
1452  * object_property_add_tm:
1453  * @obj: the object to add a property to
1454  * @name: the name of the property
1455  * @get: the getter or NULL if the property is write-only.
1456  * @errp: if an error occurs, a pointer to an area to store the error
1457  *
1458  * Add a read-only struct tm valued property using a getter function.
1459  * This function will add a property of type 'struct tm'.
1460  */
1461 void object_property_add_tm(Object *obj, const char *name,
1462                             void (*get)(Object *, struct tm *, Error **),
1463                             Error **errp);
1464 
1465 void object_class_property_add_tm(ObjectClass *klass, const char *name,
1466                                   void (*get)(Object *, struct tm *, Error **),
1467                                   Error **errp);
1468 
1469 /**
1470  * object_property_add_uint8_ptr:
1471  * @obj: the object to add a property to
1472  * @name: the name of the property
1473  * @v: pointer to value
1474  * @errp: if an error occurs, a pointer to an area to store the error
1475  *
1476  * Add an integer property in memory.  This function will add a
1477  * property of type 'uint8'.
1478  */
1479 void object_property_add_uint8_ptr(Object *obj, const char *name,
1480                                    const uint8_t *v, Error **errp);
1481 void object_class_property_add_uint8_ptr(ObjectClass *klass, const char *name,
1482                                          const uint8_t *v, Error **errp);
1483 
1484 /**
1485  * object_property_add_uint16_ptr:
1486  * @obj: the object to add a property to
1487  * @name: the name of the property
1488  * @v: pointer to value
1489  * @errp: if an error occurs, a pointer to an area to store the error
1490  *
1491  * Add an integer property in memory.  This function will add a
1492  * property of type 'uint16'.
1493  */
1494 void object_property_add_uint16_ptr(Object *obj, const char *name,
1495                                     const uint16_t *v, Error **errp);
1496 void object_class_property_add_uint16_ptr(ObjectClass *klass, const char *name,
1497                                           const uint16_t *v, Error **errp);
1498 
1499 /**
1500  * object_property_add_uint32_ptr:
1501  * @obj: the object to add a property to
1502  * @name: the name of the property
1503  * @v: pointer to value
1504  * @errp: if an error occurs, a pointer to an area to store the error
1505  *
1506  * Add an integer property in memory.  This function will add a
1507  * property of type 'uint32'.
1508  */
1509 void object_property_add_uint32_ptr(Object *obj, const char *name,
1510                                     const uint32_t *v, Error **errp);
1511 void object_class_property_add_uint32_ptr(ObjectClass *klass, const char *name,
1512                                           const uint32_t *v, Error **errp);
1513 
1514 /**
1515  * object_property_add_uint64_ptr:
1516  * @obj: the object to add a property to
1517  * @name: the name of the property
1518  * @v: pointer to value
1519  * @errp: if an error occurs, a pointer to an area to store the error
1520  *
1521  * Add an integer property in memory.  This function will add a
1522  * property of type 'uint64'.
1523  */
1524 void object_property_add_uint64_ptr(Object *obj, const char *name,
1525                                     const uint64_t *v, Error **Errp);
1526 void object_class_property_add_uint64_ptr(ObjectClass *klass, const char *name,
1527                                           const uint64_t *v, Error **Errp);
1528 
1529 /**
1530  * object_property_add_alias:
1531  * @obj: the object to add a property to
1532  * @name: the name of the property
1533  * @target_obj: the object to forward property access to
1534  * @target_name: the name of the property on the forwarded object
1535  * @errp: if an error occurs, a pointer to an area to store the error
1536  *
1537  * Add an alias for a property on an object.  This function will add a property
1538  * of the same type as the forwarded property.
1539  *
1540  * The caller must ensure that <code>@target_obj</code> stays alive as long as
1541  * this property exists.  In the case of a child object or an alias on the same
1542  * object this will be the case.  For aliases to other objects the caller is
1543  * responsible for taking a reference.
1544  */
1545 void object_property_add_alias(Object *obj, const char *name,
1546                                Object *target_obj, const char *target_name,
1547                                Error **errp);
1548 
1549 /**
1550  * object_property_add_const_link:
1551  * @obj: the object to add a property to
1552  * @name: the name of the property
1553  * @target: the object to be referred by the link
1554  * @errp: if an error occurs, a pointer to an area to store the error
1555  *
1556  * Add an unmodifiable link for a property on an object.  This function will
1557  * add a property of type link<TYPE> where TYPE is the type of @target.
1558  *
1559  * The caller must ensure that @target stays alive as long as
1560  * this property exists.  In the case @target is a child of @obj,
1561  * this will be the case.  Otherwise, the caller is responsible for
1562  * taking a reference.
1563  */
1564 void object_property_add_const_link(Object *obj, const char *name,
1565                                     Object *target, Error **errp);
1566 
1567 /**
1568  * object_property_set_description:
1569  * @obj: the object owning the property
1570  * @name: the name of the property
1571  * @description: the description of the property on the object
1572  * @errp: if an error occurs, a pointer to an area to store the error
1573  *
1574  * Set an object property's description.
1575  *
1576  */
1577 void object_property_set_description(Object *obj, const char *name,
1578                                      const char *description, Error **errp);
1579 void object_class_property_set_description(ObjectClass *klass, const char *name,
1580                                            const char *description,
1581                                            Error **errp);
1582 
1583 /**
1584  * object_child_foreach:
1585  * @obj: the object whose children will be navigated
1586  * @fn: the iterator function to be called
1587  * @opaque: an opaque value that will be passed to the iterator
1588  *
1589  * Call @fn passing each child of @obj and @opaque to it, until @fn returns
1590  * non-zero.
1591  *
1592  * It is forbidden to add or remove children from @obj from the @fn
1593  * callback.
1594  *
1595  * Returns: The last value returned by @fn, or 0 if there is no child.
1596  */
1597 int object_child_foreach(Object *obj, int (*fn)(Object *child, void *opaque),
1598                          void *opaque);
1599 
1600 /**
1601  * object_child_foreach_recursive:
1602  * @obj: the object whose children will be navigated
1603  * @fn: the iterator function to be called
1604  * @opaque: an opaque value that will be passed to the iterator
1605  *
1606  * Call @fn passing each child of @obj and @opaque to it, until @fn returns
1607  * non-zero. Calls recursively, all child nodes of @obj will also be passed
1608  * all the way down to the leaf nodes of the tree. Depth first ordering.
1609  *
1610  * It is forbidden to add or remove children from @obj (or its
1611  * child nodes) from the @fn callback.
1612  *
1613  * Returns: The last value returned by @fn, or 0 if there is no child.
1614  */
1615 int object_child_foreach_recursive(Object *obj,
1616                                    int (*fn)(Object *child, void *opaque),
1617                                    void *opaque);
1618 /**
1619  * container_get:
1620  * @root: root of the #path, e.g., object_get_root()
1621  * @path: path to the container
1622  *
1623  * Return a container object whose path is @path.  Create more containers
1624  * along the path if necessary.
1625  *
1626  * Returns: the container object.
1627  */
1628 Object *container_get(Object *root, const char *path);
1629 
1630 /**
1631  * object_type_get_instance_size:
1632  * @typename: Name of the Type whose instance_size is required
1633  *
1634  * Returns the instance_size of the given @typename.
1635  */
1636 size_t object_type_get_instance_size(const char *typename);
1637 #endif
1638