VirtualBox

source: vbox/trunk/src/VBox/Main/include/VirtualBoxBase.h@ 24989

Last change on this file since 24989 was 24989, checked in by vboxsync, 15 years ago

Main: enable -Wshadow gcc option to warn about shadowed variables and fix all resulting warnings; in particular, rename some stack and member variables and rename getter methods like id() to getId()

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 90.9 KB
Line 
1/** @file
2 *
3 * VirtualBox COM base classes definition
4 */
5
6/*
7 * Copyright (C) 2006-2009 Sun Microsystems, Inc.
8 *
9 * This file is part of VirtualBox Open Source Edition (OSE), as
10 * available from http://www.virtualbox.org. This file is free software;
11 * you can redistribute it and/or modify it under the terms of the GNU
12 * General Public License (GPL) as published by the Free Software
13 * Foundation, in version 2 as it comes in the "COPYING" file of the
14 * VirtualBox OSE distribution. VirtualBox OSE is distributed in the
15 * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
16 *
17 * Please contact Sun Microsystems, Inc., 4150 Network Circle, Santa
18 * Clara, CA 95054 USA or visit http://www.sun.com if you need
19 * additional information or have any questions.
20 */
21
22#ifndef ____H_VIRTUALBOXBASEIMPL
23#define ____H_VIRTUALBOXBASEIMPL
24
25#include <iprt/cdefs.h>
26
27#include <list>
28#include <map>
29
30#include "VBox/com/ErrorInfo.h"
31
32#include "VBox/com/VirtualBox.h"
33
34// avoid including VBox/settings.h and VBox/xml.h;
35// only declare the classes
36namespace xml
37{
38class File;
39}
40
41#include "AutoLock.h"
42
43using namespace com;
44using namespace util;
45
46#if !defined (VBOX_WITH_XPCOM)
47
48#include <atlcom.h>
49
50/* use a special version of the singleton class factory,
51 * see KB811591 in msdn for more info. */
52
53#undef DECLARE_CLASSFACTORY_SINGLETON
54#define DECLARE_CLASSFACTORY_SINGLETON(obj) DECLARE_CLASSFACTORY_EX(CMyComClassFactorySingleton<obj>)
55
56template <class T>
57class CMyComClassFactorySingleton : public CComClassFactory
58{
59public:
60 CMyComClassFactorySingleton() : m_hrCreate(S_OK){}
61 virtual ~CMyComClassFactorySingleton(){}
62 // IClassFactory
63 STDMETHOD(CreateInstance)(LPUNKNOWN pUnkOuter, REFIID riid, void** ppvObj)
64 {
65 HRESULT hRes = E_POINTER;
66 if (ppvObj != NULL)
67 {
68 *ppvObj = NULL;
69 // Aggregation is not supported in singleton objects.
70 ATLASSERT(pUnkOuter == NULL);
71 if (pUnkOuter != NULL)
72 hRes = CLASS_E_NOAGGREGATION;
73 else
74 {
75 if (m_hrCreate == S_OK && m_spObj == NULL)
76 {
77 Lock();
78 __try
79 {
80 // Fix: The following If statement was moved inside the __try statement.
81 // Did another thread arrive here first?
82 if (m_hrCreate == S_OK && m_spObj == NULL)
83 {
84 // lock the module to indicate activity
85 // (necessary for the monitor shutdown thread to correctly
86 // terminate the module in case when CreateInstance() fails)
87 _pAtlModule->Lock();
88 CComObjectCached<T> *p;
89 m_hrCreate = CComObjectCached<T>::CreateInstance(&p);
90 if (SUCCEEDED(m_hrCreate))
91 {
92 m_hrCreate = p->QueryInterface(IID_IUnknown, (void**)&m_spObj);
93 if (FAILED(m_hrCreate))
94 {
95 delete p;
96 }
97 }
98 _pAtlModule->Unlock();
99 }
100 }
101 __finally
102 {
103 Unlock();
104 }
105 }
106 if (m_hrCreate == S_OK)
107 {
108 hRes = m_spObj->QueryInterface(riid, ppvObj);
109 }
110 else
111 {
112 hRes = m_hrCreate;
113 }
114 }
115 }
116 return hRes;
117 }
118 HRESULT m_hrCreate;
119 CComPtr<IUnknown> m_spObj;
120};
121
122#endif /* !defined (VBOX_WITH_XPCOM) */
123
124// macros
125////////////////////////////////////////////////////////////////////////////////
126
127/**
128 * Special version of the Assert macro to be used within VirtualBoxBase
129 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
130 *
131 * In the debug build, this macro is equivalent to Assert.
132 * In the release build, this macro uses |setError (E_FAIL, ...)| to set the
133 * error info from the asserted expression.
134 *
135 * @see VirtualBoxSupportErrorInfoImpl::setError
136 *
137 * @param expr Expression which should be true.
138 */
139#if defined (DEBUG)
140#define ComAssert(expr) Assert(expr)
141#else
142#define ComAssert(expr) \
143 do { \
144 if (RT_UNLIKELY(!(expr))) \
145 setError(E_FAIL, "Assertion failed: [%s] at '%s' (%d) in %s.\n" \
146 "Please contact the product vendor!", \
147 #expr, __FILE__, __LINE__, __PRETTY_FUNCTION__); \
148 } while (0)
149#endif
150
151/**
152 * Special version of the AssertMsg macro to be used within VirtualBoxBase
153 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
154 *
155 * See ComAssert for more info.
156 *
157 * @param expr Expression which should be true.
158 * @param a printf argument list (in parenthesis).
159 */
160#if defined (DEBUG)
161#define ComAssertMsg(expr, a) AssertMsg(expr, a)
162#else
163#define ComAssertMsg(expr, a) \
164 do { \
165 if (RT_UNLIKELY(!(expr))) \
166 setError(E_FAIL, "Assertion failed: [%s] at '%s' (%d) in %s.\n" \
167 "%s.\n" \
168 "Please contact the product vendor!", \
169 #expr, __FILE__, __LINE__, __PRETTY_FUNCTION__, Utf8StrFmt a .raw()); \
170 } while (0)
171#endif
172
173/**
174 * Special version of the AssertRC macro to be used within VirtualBoxBase
175 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
176 *
177 * See ComAssert for more info.
178 *
179 * @param vrc VBox status code.
180 */
181#if defined (DEBUG)
182#define ComAssertRC(vrc) AssertRC(vrc)
183#else
184#define ComAssertRC(vrc) ComAssertMsgRC(vrc, ("%Rra", vrc))
185#endif
186
187/**
188 * Special version of the AssertMsgRC macro to be used within VirtualBoxBase
189 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
190 *
191 * See ComAssert for more info.
192 *
193 * @param vrc VBox status code.
194 * @param msg printf argument list (in parenthesis).
195 */
196#if defined (DEBUG)
197#define ComAssertMsgRC(vrc, msg) AssertMsgRC(vrc, msg)
198#else
199#define ComAssertMsgRC(vrc, msg) ComAssertMsg(RT_SUCCESS(vrc), msg)
200#endif
201
202
203/**
204 * Special version of the AssertFailed macro to be used within VirtualBoxBase
205 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
206 *
207 * See ComAssert for more info.
208 */
209#if defined (DEBUG)
210#define ComAssertFailed() AssertFailed()
211#else
212#define ComAssertFailed() \
213 do { \
214 setError(E_FAIL, "Assertion failed at '%s' (%d) in %s.\n" \
215 "Please contact the product vendor!", \
216 __FILE__, __LINE__, __PRETTY_FUNCTION__); \
217 } while (0)
218#endif
219
220/**
221 * Special version of the AssertMsgFailed macro to be used within VirtualBoxBase
222 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
223 *
224 * See ComAssert for more info.
225 *
226 * @param a printf argument list (in parenthesis).
227 */
228#if defined (DEBUG)
229#define ComAssertMsgFailed(a) AssertMsgFailed(a)
230#else
231#define ComAssertMsgFailed(a) \
232 do { \
233 setError(E_FAIL, "Assertion failed at '%s' (%d) in %s.\n" \
234 "%s.\n" \
235 "Please contact the product vendor!", \
236 __FILE__, __LINE__, __PRETTY_FUNCTION__, Utf8StrFmt a .raw()); \
237 } while (0)
238#endif
239
240/**
241 * Special version of the ComAssertMsgFailed macro that additionally takes
242 * line number, file and function arguments to inject an assertion position
243 * that differs from the position where this macro is instantiated.
244 *
245 * @param a printf argument list (in parenthesis).
246 * @param file, line, func Line number (int), file and function (const char *).
247 */
248#if defined (DEBUG)
249#define ComAssertMsgFailedPos(a, file, line, func) \
250 do { \
251 AssertMsg1((const char *)0, line, file, func); \
252 AssertMsg2 a; \
253 AssertBreakpoint(); \
254 } while (0)
255#else
256#define ComAssertMsgFailedPos(a, file, line, func) \
257 do { \
258 setError(E_FAIL, \
259 "Assertion failed at '%s' (%d) in %s.\n" \
260 "%s.\n" \
261 "Please contact the product vendor!", \
262 file, line, func, Utf8StrFmt a .raw()); \
263 } while (0)
264#endif
265
266/**
267 * Special version of the AssertComRC macro to be used within VirtualBoxBase
268 * subclasses that also inherit the VirtualBoxSupportErrorInfoImpl template.
269 *
270 * See ComAssert for more info.
271 *
272 * @param rc COM result code
273 */
274#if defined (DEBUG)
275#define ComAssertComRC(rc) AssertComRC(rc)
276#else
277#define ComAssertComRC(rc) ComAssertMsg(SUCCEEDED(rc), ("COM RC = %Rhrc (0x%08X)", (rc), (rc)))
278#endif
279
280
281/** Special version of ComAssert that returns ret if expr fails */
282#define ComAssertRet(expr, ret) \
283 do { ComAssert(expr); if (!(expr)) return (ret); } while (0)
284/** Special version of ComAssertMsg that returns ret if expr fails */
285#define ComAssertMsgRet(expr, a, ret) \
286 do { ComAssertMsg(expr, a); if (!(expr)) return (ret); } while (0)
287/** Special version of ComAssertRC that returns ret if vrc does not succeed */
288#define ComAssertRCRet(vrc, ret) \
289 do { ComAssertRC(vrc); if (!RT_SUCCESS(vrc)) return (ret); } while (0)
290/** Special version of ComAssertMsgRC that returns ret if vrc does not succeed */
291#define ComAssertMsgRCRet(vrc, msg, ret) \
292 do { ComAssertMsgRC(vrc, msg); if (!RT_SUCCESS(vrc)) return (ret); } while (0)
293/** Special version of ComAssertFailed that returns ret */
294#define ComAssertFailedRet(ret) \
295 do { ComAssertFailed(); return (ret); } while (0)
296/** Special version of ComAssertMsgFailed that returns ret */
297#define ComAssertMsgFailedRet(msg, ret) \
298 do { ComAssertMsgFailed(msg); return (ret); } while (0)
299/** Special version of ComAssertComRC that returns ret if rc does not succeed */
300#define ComAssertComRCRet(rc, ret) \
301 do { ComAssertComRC(rc); if (!SUCCEEDED(rc)) return (ret); } while (0)
302/** Special version of ComAssertComRC that returns rc if rc does not succeed */
303#define ComAssertComRCRetRC(rc) \
304 do { ComAssertComRC(rc); if (!SUCCEEDED(rc)) return (rc); } while (0)
305
306
307/** Special version of ComAssert that evaluates eval and breaks if expr fails */
308#define ComAssertBreak(expr, eval) \
309 if (1) { ComAssert(expr); if (!(expr)) { eval; break; } } else do {} while (0)
310/** Special version of ComAssertMsg that evaluates eval and breaks if expr fails */
311#define ComAssertMsgBreak(expr, a, eval) \
312 if (1) { ComAssertMsg(expr, a); if (!(expr)) { eval; break; } } else do {} while (0)
313/** Special version of ComAssertRC that evaluates eval and breaks if vrc does not succeed */
314#define ComAssertRCBreak(vrc, eval) \
315 if (1) { ComAssertRC(vrc); if (!RT_SUCCESS(vrc)) { eval; break; } } else do {} while (0)
316/** Special version of ComAssertMsgRC that evaluates eval and breaks if vrc does not succeed */
317#define ComAssertMsgRCBreak(vrc, msg, eval) \
318 if (1) { ComAssertMsgRC(vrc, msg); if (!RT_SUCCESS(vrc)) { eval; break; } } else do {} while (0)
319/** Special version of ComAssertFailed that evaluates eval and breaks */
320#define ComAssertFailedBreak(eval) \
321 if (1) { ComAssertFailed(); { eval; break; } } else do {} while (0)
322/** Special version of ComAssertMsgFailed that evaluates eval and breaks */
323#define ComAssertMsgFailedBreak(msg, eval) \
324 if (1) { ComAssertMsgFailed (msg); { eval; break; } } else do {} while (0)
325/** Special version of ComAssertComRC that evaluates eval and breaks if rc does not succeed */
326#define ComAssertComRCBreak(rc, eval) \
327 if (1) { ComAssertComRC(rc); if (!SUCCEEDED(rc)) { eval; break; } } else do {} while (0)
328/** Special version of ComAssertComRC that just breaks if rc does not succeed */
329#define ComAssertComRCBreakRC(rc) \
330 if (1) { ComAssertComRC(rc); if (!SUCCEEDED(rc)) { break; } } else do {} while (0)
331
332
333/** Special version of ComAssert that evaluates eval and throws it if expr fails */
334#define ComAssertThrow(expr, eval) \
335 if (1) { ComAssert(expr); if (!(expr)) { throw (eval); } } else do {} while (0)
336/** Special version of ComAssertMsg that evaluates eval and throws it if expr fails */
337#define ComAssertMsgThrow(expr, a, eval) \
338 if (1) { ComAssertMsg(expr, a); if (!(expr)) { throw (eval); } } else do {} while (0)
339/** Special version of ComAssertRC that evaluates eval and throws it if vrc does not succeed */
340#define ComAssertRCThrow(vrc, eval) \
341 if (1) { ComAssertRC(vrc); if (!RT_SUCCESS(vrc)) { throw (eval); } } else do {} while (0)
342/** Special version of ComAssertMsgRC that evaluates eval and throws it if vrc does not succeed */
343#define ComAssertMsgRCThrow(vrc, msg, eval) \
344 if (1) { ComAssertMsgRC(vrc, msg); if (!RT_SUCCESS(vrc)) { throw (eval); } } else do {} while (0)
345/** Special version of ComAssertFailed that evaluates eval and throws it */
346#define ComAssertFailedThrow(eval) \
347 if (1) { ComAssertFailed(); { throw (eval); } } else do {} while (0)
348/** Special version of ComAssertMsgFailed that evaluates eval and throws it */
349#define ComAssertMsgFailedThrow(msg, eval) \
350 if (1) { ComAssertMsgFailed (msg); { throw (eval); } } else do {} while (0)
351/** Special version of ComAssertComRC that evaluates eval and throws it if rc does not succeed */
352#define ComAssertComRCThrow(rc, eval) \
353 if (1) { ComAssertComRC(rc); if (!SUCCEEDED(rc)) { throw (eval); } } else do {} while (0)
354/** Special version of ComAssertComRC that just throws rc if rc does not succeed */
355#define ComAssertComRCThrowRC(rc) \
356 if (1) { ComAssertComRC(rc); if (!SUCCEEDED(rc)) { throw rc; } } else do {} while (0)
357
358////////////////////////////////////////////////////////////////////////////////
359
360/**
361 * Checks that the pointer argument is not NULL and returns E_INVALIDARG +
362 * extended error info on failure.
363 * @param arg Input pointer-type argument (strings, interface pointers...)
364 */
365#define CheckComArgNotNull(arg) \
366 do { \
367 if (RT_UNLIKELY((arg) == NULL)) \
368 return setError(E_INVALIDARG, tr("Argument %s is NULL"), #arg); \
369 } while (0)
370
371/**
372 * Checks that safe array argument is not NULL and returns E_INVALIDARG +
373 * extended error info on failure.
374 * @param arg Input safe array argument (strings, interface pointers...)
375 */
376#define CheckComArgSafeArrayNotNull(arg) \
377 do { \
378 if (RT_UNLIKELY(ComSafeArrayInIsNull(arg))) \
379 return setError(E_INVALIDARG, tr("Argument %s is NULL"), #arg); \
380 } while (0)
381
382/**
383 * Checks that the string argument is not a NULL or empty string and returns
384 * E_INVALIDARG + extended error info on failure.
385 * @param arg Input string argument (BSTR etc.).
386 */
387#define CheckComArgStrNotEmptyOrNull(arg) \
388 do { \
389 if (RT_UNLIKELY((arg) == NULL || *(arg) == '\0')) \
390 return setError(E_INVALIDARG, \
391 tr("Argument %s is empty or NULL"), #arg); \
392 } while (0)
393
394/**
395 * Checks that the given expression (that must involve the argument) is true and
396 * returns E_INVALIDARG + extended error info on failure.
397 * @param arg Argument.
398 * @param expr Expression to evaluate.
399 */
400#define CheckComArgExpr(arg, expr) \
401 do { \
402 if (RT_UNLIKELY(!(expr))) \
403 return setError(E_INVALIDARG, \
404 tr("Argument %s is invalid (must be %s)"), #arg, #expr); \
405 } while (0)
406
407/**
408 * Checks that the given expression (that must involve the argument) is true and
409 * returns E_INVALIDARG + extended error info on failure. The error message must
410 * be customized.
411 * @param arg Argument.
412 * @param expr Expression to evaluate.
413 * @param msg Parenthesized printf-like expression (must start with a verb,
414 * like "must be one of...", "is not within...").
415 */
416#define CheckComArgExprMsg(arg, expr, msg) \
417 do { \
418 if (RT_UNLIKELY(!(expr))) \
419 return setError(E_INVALIDARG, tr ("Argument %s %s"), \
420 #arg, Utf8StrFmt msg .raw()); \
421 } while (0)
422
423/**
424 * Checks that the given pointer to an output argument is valid and returns
425 * E_POINTER + extended error info otherwise.
426 * @param arg Pointer argument.
427 */
428#define CheckComArgOutPointerValid(arg) \
429 do { \
430 if (RT_UNLIKELY(!VALID_PTR(arg))) \
431 return setError(E_POINTER, \
432 tr("Output argument %s points to invalid memory location (%p)"), \
433 #arg, (void *) (arg)); \
434 } while (0)
435
436/**
437 * Checks that the given pointer to an output safe array argument is valid and
438 * returns E_POINTER + extended error info otherwise.
439 * @param arg Safe array argument.
440 */
441#define CheckComArgOutSafeArrayPointerValid(arg) \
442 do { \
443 if (RT_UNLIKELY(ComSafeArrayOutIsNull(arg))) \
444 return setError(E_POINTER, \
445 tr("Output argument %s points to invalid memory location (%p)"), \
446 #arg, (void *) (arg)); \
447 } while (0)
448
449/**
450 * Sets the extended error info and returns E_NOTIMPL.
451 */
452#define ReturnComNotImplemented() \
453 do { \
454 return setError(E_NOTIMPL, tr("Method %s is not implemented"), __FUNCTION__); \
455 } while (0)
456
457////////////////////////////////////////////////////////////////////////////////
458
459/**
460 * Declares an empty constructor and destructor for the given class.
461 * This is useful to prevent the compiler from generating the default
462 * ctor and dtor, which in turn allows to use forward class statements
463 * (instead of including their header files) when declaring data members of
464 * non-fundamental types with constructors (which are always called implicitly
465 * by constructors and by the destructor of the class).
466 *
467 * This macro is to be placed within (the public section of) the class
468 * declaration. Its counterpart, DEFINE_EMPTY_CTOR_DTOR, must be placed
469 * somewhere in one of the translation units (usually .cpp source files).
470 *
471 * @param cls class to declare a ctor and dtor for
472 */
473#define DECLARE_EMPTY_CTOR_DTOR(cls) cls(); ~cls();
474
475/**
476 * Defines an empty constructor and destructor for the given class.
477 * See DECLARE_EMPTY_CTOR_DTOR for more info.
478 */
479#define DEFINE_EMPTY_CTOR_DTOR(cls) \
480 cls::cls () {}; cls::~cls () {};
481
482////////////////////////////////////////////////////////////////////////////////
483
484/**
485 * Abstract base class for all component classes implementing COM
486 * interfaces of the VirtualBox COM library.
487 *
488 * Declares functionality that should be available in all components.
489 *
490 * Note that this class is always subclassed using the virtual keyword so
491 * that only one instance of its VTBL and data is present in each derived class
492 * even in case if VirtualBoxBaseProto appears more than once among base classes
493 * of the particular component as a result of multiple inheritance.
494 *
495 * This makes it possible to have intermediate base classes used by several
496 * components that implement some common interface functionality but still let
497 * the final component classes choose what VirtualBoxBase variant it wants to
498 * use.
499 *
500 * Among the basic functionality implemented by this class is the primary object
501 * state that indicates if the object is ready to serve the calls, and if not,
502 * what stage it is currently at. Here is the primary state diagram:
503 *
504 * +-------------------------------------------------------+
505 * | |
506 * | (InitFailed) -----------------------+ |
507 * | ^ | |
508 * v | v |
509 * [*] ---> NotReady ----> (InInit) -----> Ready -----> (InUninit) ----+
510 * ^ | ^ | ^
511 * | v | v |
512 * | Limited | (MayUninit) --> (WillUninit)
513 * | | | |
514 * +-------+ +-------+
515 *
516 * The object is fully operational only when its state is Ready. The Limited
517 * state means that only some vital part of the object is operational, and it
518 * requires some sort of reinitialization to become fully operational. The
519 * NotReady state means the object is basically dead: it either was not yet
520 * initialized after creation at all, or was uninitialized and is waiting to be
521 * destroyed when the last reference to it is released. All other states are
522 * transitional.
523 *
524 * The NotReady->InInit->Ready, NotReady->InInit->Limited and
525 * NotReady->InInit->InitFailed transition is done by the AutoInitSpan smart
526 * class.
527 *
528 * The Limited->InInit->Ready, Limited->InInit->Limited and
529 * Limited->InInit->InitFailed transition is done by the AutoReinitSpan smart
530 * class.
531 *
532 * The Ready->InUninit->NotReady, InitFailed->InUninit->NotReady and
533 * WillUninit->InUninit->NotReady transitions are done by the AutoUninitSpan
534 * smart class.
535 *
536 * The Ready->MayUninit->Ready and Ready->MayUninit->WillUninit transitions are
537 * done by the AutoMayUninitSpan smart class.
538 *
539 * In order to maintain the primary state integrity and declared functionality
540 * all subclasses must:
541 *
542 * 1) Use the above Auto*Span classes to perform state transitions. See the
543 * individual class descriptions for details.
544 *
545 * 2) All public methods of subclasses (i.e. all methods that can be called
546 * directly, not only from within other methods of the subclass) must have a
547 * standard prolog as described in the AutoCaller and AutoLimitedCaller
548 * documentation. Alternatively, they must use addCaller()/releaseCaller()
549 * directly (and therefore have both the prolog and the epilog), but this is
550 * not recommended.
551 */
552class ATL_NO_VTABLE VirtualBoxBaseProto : public Lockable
553{
554public:
555
556 enum State { NotReady, Ready, InInit, InUninit, InitFailed, Limited,
557 MayUninit, WillUninit };
558
559protected:
560
561 VirtualBoxBaseProto();
562 virtual ~VirtualBoxBaseProto();
563
564public:
565
566 // util::Lockable interface
567 virtual RWLockHandle *lockHandle() const;
568
569 /**
570 * Unintialization method.
571 *
572 * Must be called by all final implementations (component classes) when the
573 * last reference to the object is released, before calling the destructor.
574 *
575 * This method is also automatically called by the uninit() method of this
576 * object's parent if this object is a dependent child of a class derived
577 * from VirtualBoxBaseWithChildren (see
578 * VirtualBoxBaseWithChildren::addDependentChild).
579 *
580 * @note Never call this method the AutoCaller scope or after the
581 * #addCaller() call not paired by #releaseCaller() because it is a
582 * guaranteed deadlock. See AutoUninitSpan for details.
583 */
584 virtual void uninit() {}
585
586 virtual HRESULT addCaller(State *aState = NULL, bool aLimited = false);
587 virtual void releaseCaller();
588
589 /**
590 * Adds a limited caller. This method is equivalent to doing
591 * <tt>addCaller (aState, true)</tt>, but it is preferred because provides
592 * better self-descriptiveness. See #addCaller() for more info.
593 */
594 HRESULT addLimitedCaller(State *aState = NULL)
595 {
596 return addCaller(aState, true /* aLimited */);
597 }
598
599 /**
600 * Smart class that automatically increases the number of callers of the
601 * given VirtualBoxBase object when an instance is constructed and decreases
602 * it back when the created instance goes out of scope (i.e. gets destroyed).
603 *
604 * If #rc() returns a failure after the instance creation, it means that
605 * the managed VirtualBoxBase object is not Ready, or in any other invalid
606 * state, so that the caller must not use the object and can return this
607 * failed result code to the upper level.
608 *
609 * See VirtualBoxBase::addCaller(), VirtualBoxBase::addLimitedCaller() and
610 * VirtualBoxBase::releaseCaller() for more details about object callers.
611 *
612 * @param aLimited |false| if this template should use
613 * VirtualiBoxBase::addCaller() calls to add callers, or
614 * |true| if VirtualiBoxBase::addLimitedCaller() should be
615 * used.
616 *
617 * @note It is preferable to use the AutoCaller and AutoLimitedCaller
618 * classes than specify the @a aLimited argument, for better
619 * self-descriptiveness.
620 */
621 template<bool aLimited>
622 class AutoCallerBase
623 {
624 public:
625
626 /**
627 * Increases the number of callers of the given object by calling
628 * VirtualBoxBase::addCaller().
629 *
630 * @param aObj Object to add a caller to. If NULL, this
631 * instance is effectively turned to no-op (where
632 * rc() will return S_OK and state() will be
633 * NotReady).
634 */
635 AutoCallerBase(VirtualBoxBaseProto *aObj)
636 : mObj(aObj)
637 , mRC(S_OK)
638 , mState(NotReady)
639 {
640 if (mObj)
641 mRC = mObj->addCaller(&mState, aLimited);
642 }
643
644 /**
645 * If the number of callers was successfully increased, decreases it
646 * using VirtualBoxBase::releaseCaller(), otherwise does nothing.
647 */
648 ~AutoCallerBase()
649 {
650 if (mObj && SUCCEEDED(mRC))
651 mObj->releaseCaller();
652 }
653
654 /**
655 * Stores the result code returned by VirtualBoxBase::addCaller() after
656 * instance creation or after the last #add() call. A successful result
657 * code means the number of callers was successfully increased.
658 */
659 HRESULT rc() const { return mRC; }
660
661 /**
662 * Returns |true| if |SUCCEEDED (rc())| is |true|, for convenience.
663 * |true| means the number of callers was successfully increased.
664 */
665 bool isOk() const { return SUCCEEDED(mRC); }
666
667 /**
668 * Stores the object state returned by VirtualBoxBase::addCaller() after
669 * instance creation or after the last #add() call.
670 */
671 State state() const { return mState; }
672
673 /**
674 * Temporarily decreases the number of callers of the managed object.
675 * May only be called if #isOk() returns |true|. Note that #rc() will
676 * return E_FAIL after this method succeeds.
677 */
678 void release()
679 {
680 Assert(SUCCEEDED(mRC));
681 if (SUCCEEDED(mRC))
682 {
683 if (mObj)
684 mObj->releaseCaller();
685 mRC = E_FAIL;
686 }
687 }
688
689 /**
690 * Restores the number of callers decreased by #release(). May only be
691 * called after #release().
692 */
693 void add()
694 {
695 Assert(!SUCCEEDED(mRC));
696 if (mObj && !SUCCEEDED(mRC))
697 mRC = mObj->addCaller(&mState, aLimited);
698 }
699
700 /**
701 * Attaches another object to this caller instance.
702 * The previous object's caller is released before the new one is added.
703 *
704 * @param aObj New object to attach, may be @c NULL.
705 */
706 void attach(VirtualBoxBaseProto *aObj)
707 {
708 /* detect simple self-reattachment */
709 if (mObj != aObj)
710 {
711 if (mObj && SUCCEEDED(mRC))
712 release();
713 mObj = aObj;
714 add();
715 }
716 }
717
718 /** Verbose equivalent to <tt>attach (NULL)</tt>. */
719 void detach() { attach(NULL); }
720
721 private:
722
723 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP(AutoCallerBase)
724 DECLARE_CLS_NEW_DELETE_NOOP(AutoCallerBase)
725
726 VirtualBoxBaseProto *mObj;
727 HRESULT mRC;
728 State mState;
729 };
730
731 /**
732 * Smart class that automatically increases the number of normal
733 * (non-limited) callers of the given VirtualBoxBase object when an instance
734 * is constructed and decreases it back when the created instance goes out
735 * of scope (i.e. gets destroyed).
736 *
737 * A typical usage pattern to declare a normal method of some object (i.e. a
738 * method that is valid only when the object provides its full
739 * functionality) is:
740 * <code>
741 * STDMETHODIMP Component::Foo()
742 * {
743 * AutoCaller autoCaller (this);
744 * CheckComRCReturnRC (autoCaller.rc());
745 * ...
746 * </code>
747 *
748 * Using this class is equivalent to using the AutoCallerBase template with
749 * the @a aLimited argument set to |false|, but this class is preferred
750 * because provides better self-descriptiveness.
751 *
752 * See AutoCallerBase for more information about auto caller functionality.
753 */
754 typedef AutoCallerBase<false> AutoCaller;
755
756 /**
757 * Smart class that automatically increases the number of limited callers of
758 * the given VirtualBoxBase object when an instance is constructed and
759 * decreases it back when the created instance goes out of scope (i.e. gets
760 * destroyed).
761 *
762 * A typical usage pattern to declare a limited method of some object (i.e.
763 * a method that is valid even if the object doesn't provide its full
764 * functionality) is:
765 * <code>
766 * STDMETHODIMP Component::Bar()
767 * {
768 * AutoLimitedCaller autoCaller (this);
769 * CheckComRCReturnRC (autoCaller.rc());
770 * ...
771 * </code>
772 *
773 * Using this class is equivalent to using the AutoCallerBase template with
774 * the @a aLimited argument set to |true|, but this class is preferred
775 * because provides better self-descriptiveness.
776 *
777 * See AutoCallerBase for more information about auto caller functionality.
778 */
779 typedef AutoCallerBase<true> AutoLimitedCaller;
780
781protected:
782
783 /**
784 * Smart class to enclose the state transition NotReady->InInit->Ready.
785 *
786 * The purpose of this span is to protect object initialization.
787 *
788 * Instances must be created as a stack-based variable taking |this| pointer
789 * as the argument at the beginning of init() methods of VirtualBoxBase
790 * subclasses. When this variable is created it automatically places the
791 * object to the InInit state.
792 *
793 * When the created variable goes out of scope (i.e. gets destroyed) then,
794 * depending on the result status of this initialization span, it either
795 * places the object to Ready or Limited state or calls the object's
796 * VirtualBoxBase::uninit() method which is supposed to place the object
797 * back to the NotReady state using the AutoUninitSpan class.
798 *
799 * The initial result status of the initialization span is determined by the
800 * @a aResult argument of the AutoInitSpan constructor (Result::Failed by
801 * default). Inside the initialization span, the success status can be set
802 * to Result::Succeeded using #setSucceeded(), to to Result::Limited using
803 * #setLimited() or to Result::Failed using #setFailed(). Please don't
804 * forget to set the correct success status before getting the AutoInitSpan
805 * variable destroyed (for example, by performing an early return from
806 * the init() method)!
807 *
808 * Note that if an instance of this class gets constructed when the object
809 * is in the state other than NotReady, #isOk() returns |false| and methods
810 * of this class do nothing: the state transition is not performed.
811 *
812 * A typical usage pattern is:
813 * <code>
814 * HRESULT Component::init()
815 * {
816 * AutoInitSpan autoInitSpan (this);
817 * AssertReturn (autoInitSpan.isOk(), E_FAIL);
818 * ...
819 * if (FAILED (rc))
820 * return rc;
821 * ...
822 * if (SUCCEEDED (rc))
823 * autoInitSpan.setSucceeded();
824 * return rc;
825 * }
826 * </code>
827 *
828 * @note Never create instances of this class outside init() methods of
829 * VirtualBoxBase subclasses and never pass anything other than |this|
830 * as the argument to the constructor!
831 */
832 class AutoInitSpan
833 {
834 public:
835
836 enum Result { Failed = 0x0, Succeeded = 0x1, Limited = 0x2 };
837
838 AutoInitSpan(VirtualBoxBaseProto *aObj, Result aResult = Failed);
839 ~AutoInitSpan();
840
841 /**
842 * Returns |true| if this instance has been created at the right moment
843 * (when the object was in the NotReady state) and |false| otherwise.
844 */
845 bool isOk() const { return mOk; }
846
847 /**
848 * Sets the initialization status to Succeeded to indicates successful
849 * initialization. The AutoInitSpan destructor will place the managed
850 * VirtualBoxBase object to the Ready state.
851 */
852 void setSucceeded() { mResult = Succeeded; }
853
854 /**
855 * Sets the initialization status to Succeeded to indicate limited
856 * (partly successful) initialization. The AutoInitSpan destructor will
857 * place the managed VirtualBoxBase object to the Limited state.
858 */
859 void setLimited() { mResult = Limited; }
860
861 /**
862 * Sets the initialization status to Failure to indicates failed
863 * initialization. The AutoInitSpan destructor will place the managed
864 * VirtualBoxBase object to the InitFailed state and will automatically
865 * call its uninit() method which is supposed to place the object back
866 * to the NotReady state using AutoUninitSpan.
867 */
868 void setFailed() { mResult = Failed; }
869
870 /** Returns the current initialization result. */
871 Result result() { return mResult; }
872
873 private:
874
875 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP(AutoInitSpan)
876 DECLARE_CLS_NEW_DELETE_NOOP(AutoInitSpan)
877
878 VirtualBoxBaseProto *mObj;
879 Result mResult : 3; // must be at least total number of bits + 1 (sign)
880 bool mOk : 1;
881 };
882
883 /**
884 * Smart class to enclose the state transition Limited->InInit->Ready.
885 *
886 * The purpose of this span is to protect object re-initialization.
887 *
888 * Instances must be created as a stack-based variable taking |this| pointer
889 * as the argument at the beginning of methods of VirtualBoxBase
890 * subclasses that try to re-initialize the object to bring it to the Ready
891 * state (full functionality) after partial initialization (limited
892 * functionality). When this variable is created, it automatically places
893 * the object to the InInit state.
894 *
895 * When the created variable goes out of scope (i.e. gets destroyed),
896 * depending on the success status of this initialization span, it either
897 * places the object to the Ready state or brings it back to the Limited
898 * state.
899 *
900 * The initial success status of the re-initialization span is |false|. In
901 * order to make it successful, #setSucceeded() must be called before the
902 * instance is destroyed.
903 *
904 * Note that if an instance of this class gets constructed when the object
905 * is in the state other than Limited, #isOk() returns |false| and methods
906 * of this class do nothing: the state transition is not performed.
907 *
908 * A typical usage pattern is:
909 * <code>
910 * HRESULT Component::reinit()
911 * {
912 * AutoReinitSpan autoReinitSpan (this);
913 * AssertReturn (autoReinitSpan.isOk(), E_FAIL);
914 * ...
915 * if (FAILED (rc))
916 * return rc;
917 * ...
918 * if (SUCCEEDED (rc))
919 * autoReinitSpan.setSucceeded();
920 * return rc;
921 * }
922 * </code>
923 *
924 * @note Never create instances of this class outside re-initialization
925 * methods of VirtualBoxBase subclasses and never pass anything other than
926 * |this| as the argument to the constructor!
927 */
928 class AutoReinitSpan
929 {
930 public:
931
932 AutoReinitSpan(VirtualBoxBaseProto *aObj);
933 ~AutoReinitSpan();
934
935 /**
936 * Returns |true| if this instance has been created at the right moment
937 * (when the object was in the Limited state) and |false| otherwise.
938 */
939 bool isOk() const { return mOk; }
940
941 /**
942 * Sets the re-initialization status to Succeeded to indicates
943 * successful re-initialization. The AutoReinitSpan destructor will place
944 * the managed VirtualBoxBase object to the Ready state.
945 */
946 void setSucceeded() { mSucceeded = true; }
947
948 private:
949
950 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP(AutoReinitSpan)
951 DECLARE_CLS_NEW_DELETE_NOOP(AutoReinitSpan)
952
953 VirtualBoxBaseProto *mObj;
954 bool mSucceeded : 1;
955 bool mOk : 1;
956 };
957
958 /**
959 * Smart class to enclose the state transition Ready->InUnnit->NotReady,
960 * InitFailed->InUnnit->NotReady or WillUninit->InUnnit->NotReady.
961 *
962 * The purpose of this span is to protect object uninitialization.
963 *
964 * Instances must be created as a stack-based variable taking |this| pointer
965 * as the argument at the beginning of uninit() methods of VirtualBoxBase
966 * subclasses. When this variable is created it automatically places the
967 * object to the InUninit state, unless it is already in the NotReady state
968 * as indicated by #uninitDone() returning |true|. In the latter case, the
969 * uninit() method must immediately return because there should be nothing
970 * to uninitialize.
971 *
972 * When this variable goes out of scope (i.e. gets destroyed), it places the
973 * object to NotReady state.
974 *
975 * A typical usage pattern is:
976 * <code>
977 * void Component::uninit()
978 * {
979 * AutoUninitSpan autoUninitSpan (this);
980 * if (autoUninitSpan.uninitDone())
981 * return;
982 * ...
983 * }
984 * </code>
985 *
986 * @note The constructor of this class blocks the current thread execution
987 * until the number of callers added to the object using #addCaller()
988 * or AutoCaller drops to zero. For this reason, it is forbidden to
989 * create instances of this class (or call uninit()) within the
990 * AutoCaller or #addCaller() scope because it is a guaranteed
991 * deadlock.
992 *
993 * @note Never create instances of this class outside uninit() methods and
994 * never pass anything other than |this| as the argument to the
995 * constructor!
996 */
997 class AutoUninitSpan
998 {
999 public:
1000
1001 AutoUninitSpan(VirtualBoxBaseProto *aObj);
1002 ~AutoUninitSpan();
1003
1004 /** |true| when uninit() is called as a result of init() failure */
1005 bool initFailed() { return mInitFailed; }
1006
1007 /** |true| when uninit() has already been called (so the object is NotReady) */
1008 bool uninitDone() { return mUninitDone; }
1009
1010 private:
1011
1012 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP(AutoUninitSpan)
1013 DECLARE_CLS_NEW_DELETE_NOOP(AutoUninitSpan)
1014
1015 VirtualBoxBaseProto *mObj;
1016 bool mInitFailed : 1;
1017 bool mUninitDone : 1;
1018 };
1019
1020 /**
1021 * Smart class to enclose the state transition Ready->MayUninit->NotReady or
1022 * Ready->MayUninit->WillUninit.
1023 *
1024 * The purpose of this span is to safely check if unintialization is
1025 * possible at the given moment and seamlessly perform it if so.
1026 *
1027 * Instances must be created as a stack-based variable taking |this| pointer
1028 * as the argument at the beginning of methods of VirtualBoxBase
1029 * subclasses that want to uninitialize the object if a necessary set of
1030 * criteria is met and leave it Ready otherwise.
1031 *
1032 * When this variable is created it automatically places the object to the
1033 * MayUninit state if it is Ready, does nothing but returns |true| in
1034 * response to #alreadyInProgress() if it is already in MayUninit, or
1035 * returns a failure in response to #rc() in any other case. The example
1036 * below shows how the user must react in latter two cases.
1037 *
1038 * When this variable goes out of scope (i.e. gets destroyed), it places the
1039 * object back to Ready state unless #acceptUninit() is called in which case
1040 * the object is placed to WillUninit state and uninit() is immediately
1041 * called after that.
1042 *
1043 * A typical usage pattern is:
1044 * <code>
1045 * void Component::uninit()
1046 * {
1047 * AutoMayUninitSpan mayUninitSpan (this);
1048 * CheckComRCReturnRC (mayUninitSpan.rc());
1049 * if (mayUninitSpan.alreadyInProgress())
1050 * return S_OK;
1051 * ...
1052 * if (FAILED (rc))
1053 * return rc; // will go back to Ready
1054 * ...
1055 * if (SUCCEEDED (rc))
1056 * mayUninitSpan.acceptUninit(); // will call uninit()
1057 * return rc;
1058 * }
1059 * </code>
1060 *
1061 * @note The constructor of this class blocks the current thread execution
1062 * until the number of callers added to the object using #addCaller()
1063 * or AutoCaller drops to zero. For this reason, it is forbidden to
1064 * create instances of this class (or call uninit()) within the
1065 * AutoCaller or #addCaller() scope because it is a guaranteed
1066 * deadlock.
1067 */
1068 class AutoMayUninitSpan
1069 {
1070 public:
1071
1072 AutoMayUninitSpan(VirtualBoxBaseProto *aObj);
1073 ~AutoMayUninitSpan();
1074
1075 /**
1076 * Returns a failure if the AutoMayUninitSpan variable was constructed
1077 * at an improper time. If there is a failure, do nothing but return
1078 * it to the caller.
1079 */
1080 HRESULT rc() { return mRC; }
1081
1082 /**
1083 * Returns |true| if AutoMayUninitSpan is already in progress on some
1084 * other thread. If it's the case, do nothing but return S_OK to
1085 * the caller.
1086 */
1087 bool alreadyInProgress() { return mAlreadyInProgress; }
1088
1089 /*
1090 * Accepts uninitialization and causes the destructor to go to
1091 * WillUninit state and call uninit() afterwards.
1092 */
1093 void acceptUninit() { mAcceptUninit = true; }
1094
1095 private:
1096
1097 DECLARE_CLS_COPY_CTOR_ASSIGN_NOOP(AutoMayUninitSpan)
1098 DECLARE_CLS_NEW_DELETE_NOOP(AutoMayUninitSpan)
1099
1100 VirtualBoxBaseProto *mObj;
1101
1102 HRESULT mRC;
1103 bool mAlreadyInProgress : 1;
1104 bool mAcceptUninit : 1;
1105 };
1106
1107 /**
1108 * Returns a lock handle used to protect the primary state fields (used by
1109 * #addCaller(), AutoInitSpan, AutoUninitSpan, etc.). Only intended to be
1110 * used for similar purposes in subclasses. WARNING: NO any other locks may
1111 * be requested while holding this lock!
1112 */
1113 WriteLockHandle *stateLockHandle() { return &mStateLock; }
1114
1115private:
1116
1117 void setState(State aState)
1118 {
1119 Assert(mState != aState);
1120 mState = aState;
1121 mStateChangeThread = RTThreadSelf();
1122 }
1123
1124 /** Primary state of this object */
1125 State mState;
1126 /** Thread that caused the last state change */
1127 RTTHREAD mStateChangeThread;
1128 /** Total number of active calls to this object */
1129 unsigned mCallers;
1130 /** Posted when the number of callers drops to zero */
1131 RTSEMEVENT mZeroCallersSem;
1132 /** Posted when the object goes from InInit/InUninit to some other state */
1133 RTSEMEVENTMULTI mInitUninitSem;
1134 /** Number of threads waiting for mInitUninitDoneSem */
1135 unsigned mInitUninitWaiters;
1136
1137 /** Protects access to state related data members */
1138 WriteLockHandle mStateLock;
1139
1140 /** User-level object lock for subclasses */
1141 mutable RWLockHandle *mObjectLock;
1142};
1143
1144////////////////////////////////////////////////////////////////////////////////
1145
1146/**
1147 * This macro adds the error info support to methods of the VirtualBoxBase
1148 * class (by overriding them). Place it to the public section of the
1149 * VirtualBoxBase subclass and the following methods will set the extended
1150 * error info in case of failure instead of just returning the result code:
1151 *
1152 * <ul>
1153 * <li>VirtualBoxBase::addCaller()
1154 * </ul>
1155 *
1156 * @note The given VirtualBoxBase subclass must also inherit from both
1157 * VirtualBoxSupportErrorInfoImpl and VirtualBoxSupportTranslation templates!
1158 *
1159 * @param C VirtualBoxBase subclass to add the error info support to
1160 */
1161#define VIRTUALBOXBASE_ADD_ERRORINFO_SUPPORT(C) \
1162 virtual HRESULT addCaller(VirtualBoxBaseProto::State *aState = NULL, \
1163 bool aLimited = false) \
1164 { \
1165 VirtualBoxBaseProto::State protoState; \
1166 HRESULT rc = VirtualBoxBaseProto::addCaller(&protoState, aLimited); \
1167 if (FAILED(rc)) \
1168 { \
1169 if (protoState == VirtualBoxBaseProto::Limited) \
1170 rc = setError(rc, tr("The object functionality is limited")); \
1171 else \
1172 rc = setError(rc, tr("The object is not ready")); \
1173 } \
1174 if (aState) \
1175 *aState = protoState; \
1176 return rc; \
1177 } \
1178
1179////////////////////////////////////////////////////////////////////////////////
1180
1181class ATL_NO_VTABLE VirtualBoxBase
1182 : virtual public VirtualBoxBaseProto
1183 , public CComObjectRootEx<CComMultiThreadModel>
1184{
1185
1186public:
1187 VirtualBoxBase()
1188 {}
1189
1190 virtual ~VirtualBoxBase()
1191 {}
1192
1193 /**
1194 * Virtual unintialization method. Called during parent object's
1195 * uninitialization, if the given subclass instance is a dependent child of
1196 * a class derived from VirtualBoxBaseWithChildren (@sa
1197 * VirtualBoxBaseWithChildren::addDependentChild). In this case, this
1198 * method's implementation must call setReady (false),
1199 */
1200 virtual void uninit()
1201 {}
1202
1203 static const char *translate(const char *context, const char *sourceText,
1204 const char *comment = 0);
1205};
1206
1207////////////////////////////////////////////////////////////////////////////////
1208
1209/** Helper for VirtualBoxSupportTranslation. */
1210class VirtualBoxSupportTranslationBase
1211{
1212protected:
1213 static bool cutClassNameFrom__PRETTY_FUNCTION__(char *aPrettyFunctionName);
1214};
1215
1216/**
1217 * The VirtualBoxSupportTranslation template implements the NLS string
1218 * translation support for the given class.
1219 *
1220 * Translation support is provided by the static #tr() function. This function,
1221 * given a string in UTF-8 encoding, looks up for a translation of the given
1222 * string by calling the VirtualBoxBase::translate() global function which
1223 * receives the name of the enclosing class ("context of translation") as the
1224 * additional argument and returns a translated string based on the currently
1225 * active language.
1226 *
1227 * @param C Class that needs to support the string translation.
1228 *
1229 * @note Every class that wants to use the #tr() function in its own methods
1230 * must inherit from this template, regardless of whether its base class
1231 * (if any) inherits from it or not. Otherwise, the translation service
1232 * will not work correctly. However, the declaration of the derived
1233 * class must contain
1234 * the <tt>COM_SUPPORTTRANSLATION_OVERRIDE (<ClassName>)</tt> macro if one
1235 * of its base classes also inherits from this template (to resolve the
1236 * ambiguity of the #tr() function).
1237 */
1238template<class C>
1239class VirtualBoxSupportTranslation : virtual protected VirtualBoxSupportTranslationBase
1240{
1241public:
1242
1243 /**
1244 * Translates the given text string by calling VirtualBoxBase::translate()
1245 * and passing the name of the C class as the first argument ("context of
1246 * translation") See VirtualBoxBase::translate() for more info.
1247 *
1248 * @param aSourceText String to translate.
1249 * @param aComment Comment to the string to resolve possible
1250 * ambiguities (NULL means no comment).
1251 *
1252 * @return Translated version of the source string in UTF-8 encoding, or
1253 * the source string itself if the translation is not found in the
1254 * specified context.
1255 */
1256 inline static const char *tr(const char *aSourceText,
1257 const char *aComment = NULL)
1258 {
1259 return VirtualBoxBase::translate(className(), aSourceText, aComment);
1260 }
1261
1262protected:
1263
1264 static const char *className()
1265 {
1266 static char fn[sizeof(__PRETTY_FUNCTION__) + 1];
1267 if (!sClassName)
1268 {
1269 strcpy(fn, __PRETTY_FUNCTION__);
1270 cutClassNameFrom__PRETTY_FUNCTION__(fn);
1271 sClassName = fn;
1272 }
1273 return sClassName;
1274 }
1275
1276private:
1277
1278 static const char *sClassName;
1279};
1280
1281template<class C>
1282const char *VirtualBoxSupportTranslation<C>::sClassName = NULL;
1283
1284/**
1285 * This macro must be invoked inside the public section of the declaration of
1286 * the class inherited from the VirtualBoxSupportTranslation template in case
1287 * if one of its other base classes also inherits from that template. This is
1288 * necessary to resolve the ambiguity of the #tr() function.
1289 *
1290 * @param C Class that inherits the VirtualBoxSupportTranslation template
1291 * more than once (through its other base clases).
1292 */
1293#define VIRTUALBOXSUPPORTTRANSLATION_OVERRIDE(C) \
1294 inline static const char *tr(const char *aSourceText, \
1295 const char *aComment = NULL) \
1296 { \
1297 return VirtualBoxSupportTranslation<C>::tr(aSourceText, aComment); \
1298 }
1299
1300/**
1301 * Dummy macro that is used to shut down Qt's lupdate tool warnings in some
1302 * situations. This macro needs to be present inside (better at the very
1303 * beginning) of the declaration of the class that inherits from
1304 * VirtualBoxSupportTranslation template, to make lupdate happy.
1305 */
1306#define Q_OBJECT
1307
1308////////////////////////////////////////////////////////////////////////////////
1309
1310/**
1311 * Helper for the VirtualBoxSupportErrorInfoImpl template.
1312 */
1313/// @todo switch to com::SupportErrorInfo* and remove
1314class VirtualBoxSupportErrorInfoImplBase
1315{
1316 static HRESULT setErrorInternal(HRESULT aResultCode, const GUID &aIID,
1317 const Bstr &aComponent, const Bstr &aText,
1318 bool aWarning, bool aLogIt);
1319
1320protected:
1321
1322 /**
1323 * The MultiResult class is a com::FWResult enhancement that also acts as a
1324 * switch to turn on multi-error mode for #setError() or #setWarning()
1325 * calls.
1326 *
1327 * When an instance of this class is created, multi-error mode is turned on
1328 * for the current thread and the turn-on counter is increased by one. In
1329 * multi-error mode, a call to #setError() or #setWarning() does not
1330 * overwrite the current error or warning info object possibly set on the
1331 * current thread by other method calls, but instead it stores this old
1332 * object in the IVirtualBoxErrorInfo::next attribute of the new error
1333 * object being set.
1334 *
1335 * This way, error/warning objects are stacked together and form a chain of
1336 * errors where the most recent error is the first one retrieved by the
1337 * calling party, the preceding error is what the
1338 * IVirtualBoxErrorInfo::next attribute of the first error points to, and so
1339 * on, up to the first error or warning occurred which is the last in the
1340 * chain. See IVirtualBoxErrorInfo documentation for more info.
1341 *
1342 * When the instance of the MultiResult class goes out of scope and gets
1343 * destroyed, it automatically decreases the turn-on counter by one. If
1344 * the counter drops to zero, multi-error mode for the current thread is
1345 * turned off and the thread switches back to single-error mode where every
1346 * next error or warning object overwrites the previous one.
1347 *
1348 * Note that the caller of a COM method uses a non-S_OK result code to
1349 * decide if the method has returned an error (negative codes) or a warning
1350 * (positive non-zero codes) and will query extended error info only in
1351 * these two cases. However, since multi-error mode implies that the method
1352 * doesn't return control return to the caller immediately after the first
1353 * error or warning but continues its execution, the functionality provided
1354 * by the base com::FWResult class becomes very useful because it allows to
1355 * preserve the error or the warning result code even if it is later assigned
1356 * a S_OK value multiple times. See com::FWResult for details.
1357 *
1358 * Here is the typical usage pattern:
1359 * <code>
1360
1361 HRESULT Bar::method()
1362 {
1363 // assume multi-errors are turned off here...
1364
1365 if (something)
1366 {
1367 // Turn on multi-error mode and make sure severity is preserved
1368 MultiResult rc = foo->method1();
1369
1370 // return on fatal error, but continue on warning or on success
1371 CheckComRCReturnRC (rc);
1372
1373 rc = foo->method2();
1374 // no matter what result, stack it and continue
1375
1376 // ...
1377
1378 // return the last worst result code (it will be preserved even if
1379 // foo->method2() returns S_OK.
1380 return rc;
1381 }
1382
1383 // multi-errors are turned off here again...
1384
1385 return S_OK;
1386 }
1387
1388 * </code>
1389 *
1390 *
1391 * @note This class is intended to be instantiated on the stack, therefore
1392 * You cannot create them using new(). Although it is possible to copy
1393 * instances of MultiResult or return them by value, please never do
1394 * that as it is breaks the class semantics (and will assert).
1395 */
1396 class MultiResult : public com::FWResult
1397 {
1398 public:
1399
1400 /**
1401 * @copydoc com::FWResult::FWResult().
1402 */
1403 MultiResult(HRESULT aRC = E_FAIL) : FWResult(aRC) { init(); }
1404
1405 MultiResult(const MultiResult &aThat) : FWResult(aThat)
1406 {
1407 /* We need this copy constructor only for GCC that wants to have
1408 * it in case of expressions like |MultiResult rc = E_FAIL;|. But
1409 * we assert since the optimizer should actually avoid the
1410 * temporary and call the other constructor directly instead. */
1411 AssertFailed();
1412 init();
1413 }
1414
1415 ~MultiResult();
1416
1417 MultiResult &operator=(HRESULT aRC)
1418 {
1419 com::FWResult::operator=(aRC);
1420 return *this;
1421 }
1422
1423 MultiResult &operator=(const MultiResult &aThat)
1424 {
1425 /* We need this copy constructor only for GCC that wants to have
1426 * it in case of expressions like |MultiResult rc = E_FAIL;|. But
1427 * we assert since the optimizer should actually avoid the
1428 * temporary and call the other constructor directly instead. */
1429 AssertFailed();
1430 com::FWResult::operator=(aThat);
1431 return *this;
1432 }
1433
1434 private:
1435
1436 DECLARE_CLS_NEW_DELETE_NOOP(MultiResult)
1437
1438 void init();
1439
1440 static RTTLS sCounter;
1441
1442 friend class VirtualBoxSupportErrorInfoImplBase;
1443 };
1444
1445 static HRESULT setError(HRESULT aResultCode, const GUID &aIID,
1446 const Bstr &aComponent,
1447 const Bstr &aText,
1448 bool aLogIt = true)
1449 {
1450 return setErrorInternal(aResultCode, aIID, aComponent, aText,
1451 false /* aWarning */, aLogIt);
1452 }
1453
1454 static HRESULT setWarning(HRESULT aResultCode, const GUID &aIID,
1455 const Bstr &aComponent,
1456 const Bstr &aText)
1457 {
1458 return setErrorInternal(aResultCode, aIID, aComponent, aText,
1459 true /* aWarning */, true /* aLogIt */);
1460 }
1461
1462 static HRESULT setError(HRESULT aResultCode, const GUID &aIID,
1463 const Bstr &aComponent,
1464 const char *aText, va_list aArgs, bool aLogIt = true)
1465 {
1466 return setErrorInternal(aResultCode, aIID, aComponent,
1467 Utf8StrFmtVA (aText, aArgs),
1468 false /* aWarning */, aLogIt);
1469 }
1470
1471 static HRESULT setWarning(HRESULT aResultCode, const GUID &aIID,
1472 const Bstr &aComponent,
1473 const char *aText, va_list aArgs)
1474 {
1475 return setErrorInternal(aResultCode, aIID, aComponent,
1476 Utf8StrFmtVA (aText, aArgs),
1477 true /* aWarning */, true /* aLogIt */);
1478 }
1479};
1480
1481/**
1482 * This template implements ISupportErrorInfo for the given component class
1483 * and provides the #setError() method to conveniently set the error information
1484 * from within interface methods' implementations.
1485 *
1486 * On Windows, the template argument must define a COM interface map using
1487 * BEGIN_COM_MAP / END_COM_MAP macros and this map must contain a
1488 * COM_INTERFACE_ENTRY(ISupportErrorInfo) definition. All interface entries
1489 * that follow it will be considered to support IErrorInfo, i.e. the
1490 * InterfaceSupportsErrorInfo() implementation will return S_OK for the
1491 * corresponding IID.
1492 *
1493 * On all platforms, the template argument must also define the following
1494 * method: |public static const wchar_t *C::getComponentName()|. See
1495 * #setError (HRESULT, const char *, ...) for a description on how it is
1496 * used.
1497 *
1498 * @param C
1499 * component class that implements one or more COM interfaces
1500 * @param I
1501 * default interface for the component. This interface's IID is used
1502 * by the shortest form of #setError, for convenience.
1503 */
1504/// @todo switch to com::SupportErrorInfo* and remove
1505template<class C, class I>
1506class ATL_NO_VTABLE VirtualBoxSupportErrorInfoImpl
1507 : protected VirtualBoxSupportErrorInfoImplBase
1508#if !defined (VBOX_WITH_XPCOM)
1509 , public ISupportErrorInfo
1510#else
1511#endif
1512{
1513public:
1514
1515#if !defined (VBOX_WITH_XPCOM)
1516 STDMETHOD(InterfaceSupportsErrorInfo)(REFIID riid)
1517 {
1518 const _ATL_INTMAP_ENTRY* pEntries = C::_GetEntries();
1519 Assert(pEntries);
1520 if (!pEntries)
1521 return S_FALSE;
1522
1523 BOOL bSupports = FALSE;
1524 BOOL bISupportErrorInfoFound = FALSE;
1525
1526 while (pEntries->pFunc != NULL && !bSupports)
1527 {
1528 if (!bISupportErrorInfoFound)
1529 {
1530 // skip the com map entries until ISupportErrorInfo is found
1531 bISupportErrorInfoFound =
1532 InlineIsEqualGUID(*(pEntries->piid), IID_ISupportErrorInfo);
1533 }
1534 else
1535 {
1536 // look for the requested interface in the rest of the com map
1537 bSupports = InlineIsEqualGUID(*(pEntries->piid), riid);
1538 }
1539 pEntries++;
1540 }
1541
1542 Assert(bISupportErrorInfoFound);
1543
1544 return bSupports ? S_OK : S_FALSE;
1545 }
1546#endif // !defined (VBOX_WITH_XPCOM)
1547
1548protected:
1549
1550 /**
1551 * Sets the error information for the current thread.
1552 * This information can be retrieved by a caller of an interface method
1553 * using IErrorInfo on Windows or nsIException on Linux, or the cross-platform
1554 * IVirtualBoxErrorInfo interface that provides extended error info (only
1555 * for components from the VirtualBox COM library). Alternatively, the
1556 * platform-independent class com::ErrorInfo (defined in VBox[XP]COM.lib)
1557 * can be used to retrieve error info in a convenient way.
1558 *
1559 * It is assumed that the interface method that uses this function returns
1560 * an unsuccessful result code to the caller (otherwise, there is no reason
1561 * for the caller to try to retrieve error info after method invocation).
1562 *
1563 * Here is a table of correspondence between this method's arguments
1564 * and IErrorInfo/nsIException/IVirtualBoxErrorInfo attributes/methods:
1565 *
1566 * argument IErrorInfo nsIException IVirtualBoxErrorInfo
1567 * ----------------------------------------------------------------
1568 * resultCode -- result resultCode
1569 * iid GetGUID -- interfaceID
1570 * component GetSource -- component
1571 * text GetDescription message text
1572 *
1573 * This method is rarely needs to be used though. There are more convenient
1574 * overloaded versions, that automatically substitute some arguments
1575 * taking their values from the template parameters. See
1576 * #setError (HRESULT, const char *, ...) for an example.
1577 *
1578 * @param aResultCode result (error) code, must not be S_OK
1579 * @param aIID IID of the interface that defines the error
1580 * @param aComponent name of the component that generates the error
1581 * @param aText error message (must not be null), an RTStrPrintf-like
1582 * format string in UTF-8 encoding
1583 * @param ... list of arguments for the format string
1584 *
1585 * @return
1586 * the error argument, for convenience, If an error occurs while
1587 * creating error info itself, that error is returned instead of the
1588 * error argument.
1589 */
1590 static HRESULT setError(HRESULT aResultCode, const GUID &aIID,
1591 const wchar_t *aComponent,
1592 const char *aText, ...)
1593 {
1594 va_list args;
1595 va_start(args, aText);
1596 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1597 aResultCode, aIID, aComponent, aText, args, true /* aLogIt */);
1598 va_end(args);
1599 return rc;
1600 }
1601
1602 /**
1603 * This method is the same as #setError() except that it makes sure @a
1604 * aResultCode doesn't have the error severity bit (31) set when passed
1605 * down to the created IVirtualBoxErrorInfo object.
1606 *
1607 * The error severity bit is always cleared by this call, thereof you can
1608 * use ordinary E_XXX result code constants, for convenience. However, this
1609 * behavior may be non-standard on some COM platforms.
1610 */
1611 static HRESULT setWarning(HRESULT aResultCode, const GUID &aIID,
1612 const wchar_t *aComponent,
1613 const char *aText, ...)
1614 {
1615 va_list args;
1616 va_start(args, aText);
1617 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setWarning(
1618 aResultCode, aIID, aComponent, aText, args);
1619 va_end(args);
1620 return rc;
1621 }
1622
1623 /**
1624 * Sets the error information for the current thread.
1625 * A convenience method that automatically sets the default interface
1626 * ID (taken from the I template argument) and the component name
1627 * (a value of C::getComponentName()).
1628 *
1629 * See #setError (HRESULT, const GUID &, const wchar_t *, const char *text, ...)
1630 * for details.
1631 *
1632 * This method is the most common (and convenient) way to set error
1633 * information from within interface methods. A typical pattern of usage
1634 * is looks like this:
1635 *
1636 * <code>
1637 * return setError (E_FAIL, "Terrible Error");
1638 * </code>
1639 * or
1640 * <code>
1641 * HRESULT rc = setError (E_FAIL, "Terrible Error");
1642 * ...
1643 * return rc;
1644 * </code>
1645 */
1646 static HRESULT setError(HRESULT aResultCode, const char *aText, ...)
1647 {
1648 va_list args;
1649 va_start(args, aText);
1650 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1651 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, args, true /* aLogIt */);
1652 va_end(args);
1653 return rc;
1654 }
1655
1656 /**
1657 * This method is the same as #setError() except that it makes sure @a
1658 * aResultCode doesn't have the error severity bit (31) set when passed
1659 * down to the created IVirtualBoxErrorInfo object.
1660 *
1661 * The error severity bit is always cleared by this call, thereof you can
1662 * use ordinary E_XXX result code constants, for convenience. However, this
1663 * behavior may be non-standard on some COM platforms.
1664 */
1665 static HRESULT setWarning(HRESULT aResultCode, const char *aText, ...)
1666 {
1667 va_list args;
1668 va_start(args, aText);
1669 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setWarning(
1670 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, args);
1671 va_end(args);
1672 return rc;
1673 }
1674
1675 /**
1676 * Sets the error information for the current thread, va_list variant.
1677 * A convenience method that automatically sets the default interface
1678 * ID (taken from the I template argument) and the component name
1679 * (a value of C::getComponentName()).
1680 *
1681 * See #setError (HRESULT, const GUID &, const wchar_t *, const char *text, ...)
1682 * and #setError (HRESULT, const char *, ...) for details.
1683 */
1684 static HRESULT setErrorV(HRESULT aResultCode, const char *aText,
1685 va_list aArgs)
1686 {
1687 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1688 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, aArgs, true /* aLogIt */);
1689 return rc;
1690 }
1691
1692 /**
1693 * This method is the same as #setErrorV() except that it makes sure @a
1694 * aResultCode doesn't have the error severity bit (31) set when passed
1695 * down to the created IVirtualBoxErrorInfo object.
1696 *
1697 * The error severity bit is always cleared by this call, thereof you can
1698 * use ordinary E_XXX result code constants, for convenience. However, this
1699 * behavior may be non-standard on some COM platforms.
1700 */
1701 static HRESULT setWarningV(HRESULT aResultCode, const char *aText,
1702 va_list aArgs)
1703 {
1704 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setWarning(
1705 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, aArgs);
1706 return rc;
1707 }
1708
1709 /**
1710 * Sets the error information for the current thread, BStr variant.
1711 * A convenience method that automatically sets the default interface
1712 * ID (taken from the I template argument) and the component name
1713 * (a value of C::getComponentName()).
1714 *
1715 * This method is preferred if you have a ready (translated and formatted)
1716 * Bstr string, because it omits an extra conversion Utf8Str -> Bstr.
1717 *
1718 * See #setError (HRESULT, const GUID &, const wchar_t *, const char *text, ...)
1719 * and #setError (HRESULT, const char *, ...) for details.
1720 */
1721 static HRESULT setErrorBstr(HRESULT aResultCode, const Bstr &aText)
1722 {
1723 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1724 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, true /* aLogIt */);
1725 return rc;
1726 }
1727
1728 /**
1729 * This method is the same as #setErrorBstr() except that it makes sure @a
1730 * aResultCode doesn't have the error severity bit (31) set when passed
1731 * down to the created IVirtualBoxErrorInfo object.
1732 *
1733 * The error severity bit is always cleared by this call, thereof you can
1734 * use ordinary E_XXX result code constants, for convenience. However, this
1735 * behavior may be non-standard on some COM platforms.
1736 */
1737 static HRESULT setWarningBstr(HRESULT aResultCode, const Bstr &aText)
1738 {
1739 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setWarning(
1740 aResultCode, COM_IIDOF(I), C::getComponentName(), aText);
1741 return rc;
1742 }
1743
1744 /**
1745 * Sets the error information for the current thread.
1746 * A convenience method that automatically sets the component name
1747 * (a value of C::getComponentName()), but allows to specify the interface
1748 * id manually.
1749 *
1750 * See #setError (HRESULT, const GUID &, const wchar_t *, const char *text, ...)
1751 * for details.
1752 */
1753 static HRESULT setError(HRESULT aResultCode, const GUID &aIID,
1754 const char *aText, ...)
1755 {
1756 va_list args;
1757 va_start(args, aText);
1758 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1759 aResultCode, aIID, C::getComponentName(), aText, args, true /* aLogIt */);
1760 va_end(args);
1761 return rc;
1762 }
1763
1764 /**
1765 * This method is the same as #setError() except that it makes sure @a
1766 * aResultCode doesn't have the error severity bit (31) set when passed
1767 * down to the created IVirtualBoxErrorInfo object.
1768 *
1769 * The error severity bit is always cleared by this call, thereof you can
1770 * use ordinary E_XXX result code constants, for convenience. However, this
1771 * behavior may be non-standard on some COM platforms.
1772 */
1773 static HRESULT setWarning(HRESULT aResultCode, const GUID &aIID,
1774 const char *aText, ...)
1775 {
1776 va_list args;
1777 va_start(args, aText);
1778 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setWarning(
1779 aResultCode, aIID, C::getComponentName(), aText, args);
1780 va_end(args);
1781 return rc;
1782 }
1783
1784 /**
1785 * Sets the error information for the current thread but doesn't put
1786 * anything in the release log. This is very useful for avoiding
1787 * harmless error from causing confusion.
1788 *
1789 * It is otherwise identical to #setError (HRESULT, const char *text, ...).
1790 */
1791 static HRESULT setErrorNoLog(HRESULT aResultCode, const char *aText, ...)
1792 {
1793 va_list args;
1794 va_start(args, aText);
1795 HRESULT rc = VirtualBoxSupportErrorInfoImplBase::setError(
1796 aResultCode, COM_IIDOF(I), C::getComponentName(), aText, args, false /* aLogIt */);
1797 va_end(args);
1798 return rc;
1799 }
1800
1801private:
1802
1803};
1804
1805
1806/**
1807 * Base class to track VirtualBoxBaseNEXT chlidren of the component.
1808 *
1809 * This class is a preferrable VirtualBoxBase replacement for components that
1810 * operate with collections of child components. It gives two useful
1811 * possibilities:
1812 *
1813 * <ol><li>
1814 * Given an IUnknown instance, it's possible to quickly determine
1815 * whether this instance represents a child object that belongs to the
1816 * given component, and if so, get a valid VirtualBoxBase pointer to the
1817 * child object. The returned pointer can be then safely casted to the
1818 * actual class of the child object (to get access to its "internal"
1819 * non-interface methods) provided that no other child components implement
1820 * the same original COM interface IUnknown is queried from.
1821 * </li><li>
1822 * When the parent object uninitializes itself, it can easily unintialize
1823 * all its VirtualBoxBase derived children (using their
1824 * VirtualBoxBase::uninit() implementations). This is done simply by
1825 * calling the #uninitDependentChildren() method.
1826 * </li></ol>
1827 *
1828 * In order to let the above work, the following must be done:
1829 * <ol><li>
1830 * When a child object is initialized, it calls #addDependentChild() of
1831 * its parent to register itself within the list of dependent children.
1832 * </li><li>
1833 * When the child object it is uninitialized, it calls
1834 * #removeDependentChild() to unregister itself.
1835 * </li></ol>
1836 *
1837 * Note that if the parent object does not call #uninitDependentChildren() when
1838 * it gets uninitialized, it must call uninit() methods of individual children
1839 * manually to disconnect them; a failure to do so will cause crashes in these
1840 * methods when children get destroyed. The same applies to children not calling
1841 * #removeDependentChild() when getting destroyed.
1842 *
1843 * Note that children added by #addDependentChild() are <b>weakly</b> referenced
1844 * (i.e. AddRef() is not called), so when a child object is deleted externally
1845 * (because it's reference count goes to zero), it will automatically remove
1846 * itself from the map of dependent children provided that it follows the rules
1847 * described here.
1848 *
1849 * Access to the child list is serialized using the #childrenLock() lock handle
1850 * (which defaults to the general object lock handle (see
1851 * VirtualBoxBase::lockHandle()). This lock is used by all add/remove methods of
1852 * this class so be aware of the need to preserve the {parent, child} lock order
1853 * when calling these methods.
1854 *
1855 * Read individual method descriptions to get further information.
1856 *
1857 * @todo This is a VirtualBoxBaseWithChildren equivalent that uses the
1858 * VirtualBoxBaseNEXT implementation. Will completely supersede
1859 * VirtualBoxBaseWithChildren after the old VirtualBoxBase implementation
1860 * has gone.
1861 */
1862class VirtualBoxBaseWithChildrenNEXT : public VirtualBoxBase
1863{
1864public:
1865
1866 VirtualBoxBaseWithChildrenNEXT()
1867 {}
1868
1869 virtual ~VirtualBoxBaseWithChildrenNEXT()
1870 {}
1871
1872 /**
1873 * Lock handle to use when adding/removing child objects from the list of
1874 * children. It is guaranteed that no any other lock is requested in methods
1875 * of this class while holding this lock.
1876 *
1877 * @warning By default, this simply returns the general object's lock handle
1878 * (see VirtualBoxBase::lockHandle()) which is sufficient for most
1879 * cases.
1880 */
1881 virtual RWLockHandle *childrenLock() { return lockHandle(); }
1882
1883 /**
1884 * Adds the given child to the list of dependent children.
1885 *
1886 * Usually gets called from the child's init() method.
1887 *
1888 * @note @a aChild (unless it is in InInit state) must be protected by
1889 * VirtualBoxBase::AutoCaller to make sure it is not uninitialized on
1890 * another thread during this method's call.
1891 *
1892 * @note When #childrenLock() is not overloaded (returns the general object
1893 * lock) and this method is called from under the child's read or
1894 * write lock, make sure the {parent, child} locking order is
1895 * preserved by locking the callee (this object) for writing before
1896 * the child's lock.
1897 *
1898 * @param aChild Child object to add (must inherit VirtualBoxBase AND
1899 * implement some interface).
1900 *
1901 * @note Locks #childrenLock() for writing.
1902 */
1903 template<class C>
1904 void addDependentChild(C *aChild)
1905 {
1906 AssertReturnVoid(aChild != NULL);
1907 doAddDependentChild(ComPtr<IUnknown>(aChild), aChild);
1908 }
1909
1910 /**
1911 * Equivalent to template <class C> void addDependentChild (C *aChild)
1912 * but takes a ComObjPtr<C> argument.
1913 */
1914 template<class C>
1915 void addDependentChild(const ComObjPtr<C> &aChild)
1916 {
1917 AssertReturnVoid(!aChild.isNull());
1918 doAddDependentChild(ComPtr<IUnknown>(static_cast<C *>(aChild)), aChild);
1919 }
1920
1921 /**
1922 * Removes the given child from the list of dependent children.
1923 *
1924 * Usually gets called from the child's uninit() method.
1925 *
1926 * Keep in mind that the called (parent) object may be no longer available
1927 * (i.e. may be deleted deleted) after this method returns, so you must not
1928 * call any other parent's methods after that!
1929 *
1930 * @note Locks #childrenLock() for writing.
1931 *
1932 * @note @a aChild (unless it is in InUninit state) must be protected by
1933 * VirtualBoxBase::AutoCaller to make sure it is not uninitialized on
1934 * another thread during this method's call.
1935 *
1936 * @note When #childrenLock() is not overloaded (returns the general object
1937 * lock) and this method is called from under the child's read or
1938 * write lock, make sure the {parent, child} locking order is
1939 * preserved by locking the callee (this object) for writing before
1940 * the child's lock. This is irrelevant when the method is called from
1941 * under this object's VirtualBoxBaseProto::AutoUninitSpan (i.e. in
1942 * InUninit state) since in this case no locking is done.
1943 *
1944 * @param aChild Child object to remove.
1945 *
1946 * @note Locks #childrenLock() for writing.
1947 */
1948 template<class C>
1949 void removeDependentChild(C *aChild)
1950 {
1951 AssertReturnVoid(aChild != NULL);
1952 doRemoveDependentChild(ComPtr<IUnknown>(aChild));
1953 }
1954
1955 /**
1956 * Equivalent to template <class C> void removeDependentChild (C *aChild)
1957 * but takes a ComObjPtr<C> argument.
1958 */
1959 template<class C>
1960 void removeDependentChild(const ComObjPtr<C> &aChild)
1961 {
1962 AssertReturnVoid(!aChild.isNull());
1963 doRemoveDependentChild(ComPtr<IUnknown>(static_cast<C *>(aChild)));
1964 }
1965
1966protected:
1967
1968 void uninitDependentChildren();
1969
1970 VirtualBoxBase *getDependentChild(const ComPtr<IUnknown> &aUnk);
1971
1972private:
1973 void doAddDependentChild(IUnknown *aUnk, VirtualBoxBase *aChild);
1974 void doRemoveDependentChild(IUnknown *aUnk);
1975
1976 typedef std::map<IUnknown*, VirtualBoxBase*> DependentChildren;
1977 DependentChildren mDependentChildren;
1978};
1979
1980////////////////////////////////////////////////////////////////////////////////
1981
1982////////////////////////////////////////////////////////////////////////////////
1983
1984/**
1985 * Base class to track component's children of the particular type.
1986 *
1987 * This class is similar to VirtualBoxBaseWithChildrenNEXT with the exception
1988 * that all children must be of the same type. For this reason, it's not
1989 * necessary to use a map to store children -- a list is used instead.
1990 *
1991 * Also, as opposed to VirtualBoxBaseWithChildren, children added by
1992 * #addDependentChild() are <b>strongly</b> referenced, so that they cannot be
1993 * deleted (even by a third party) until #removeDependentChild() is called on
1994 * them. This also means that a failure to call #removeDependentChild() and
1995 * #uninitDependentChildren() at appropriate times as described in
1996 * VirtualBoxBaseWithChildrenNEXT may cause stuck references that won't be able
1997 * uninitialize themselves.
1998 *
1999 * See individual method descriptions for further information.
2000 *
2001 * @param C Type of child objects (must inherit VirtualBoxBase AND implement
2002 * some interface).
2003 *
2004 * @todo This is a VirtualBoxBaseWithChildren equivalent that uses the
2005 * VirtualBoxBaseNEXT implementation. Will completely supersede
2006 * VirtualBoxBaseWithChildren after the old VirtualBoxBase implementation
2007 * has gone.
2008 */
2009template<class C>
2010class VirtualBoxBaseWithTypedChildren : public VirtualBoxBase
2011{
2012public:
2013
2014 typedef std::list<ComObjPtr<C> > DependentChildren;
2015
2016 VirtualBoxBaseWithTypedChildren()
2017 {}
2018
2019 virtual ~VirtualBoxBaseWithTypedChildren()
2020 {}
2021
2022 /**
2023 * Lock handle to use when adding/removing child objects from the list of
2024 * children. It is guaranteed that no any other lock is requested in methods
2025 * of this class while holding this lock.
2026 *
2027 * @warning By default, this simply returns the general object's lock handle
2028 * (see VirtualBoxBase::lockHandle()) which is sufficient for most
2029 * cases.
2030 */
2031 virtual RWLockHandle *childrenLock() { return lockHandle(); }
2032
2033 /**
2034 * Adds the given child to the list of dependent children.
2035 *
2036 * Usually gets called from the child's init() method.
2037 *
2038 * @note @a aChild (unless it is in InInit state) must be protected by
2039 * VirtualBoxBase::AutoCaller to make sure it is not uninitialized on
2040 * another thread during this method's call.
2041 *
2042 * @note When #childrenLock() is not overloaded (returns the general object
2043 * lock) and this method is called from under the child's read or
2044 * write lock, make sure the {parent, child} locking order is
2045 * preserved by locking the callee (this object) for writing before
2046 * the child's lock.
2047 *
2048 * @param aChild Child object to add.
2049 *
2050 * @note Locks #childrenLock() for writing.
2051 */
2052 void addDependentChild(C *aChild)
2053 {
2054 AssertReturnVoid(aChild != NULL);
2055
2056 AutoCaller autoCaller(this);
2057
2058 /* sanity */
2059 AssertReturnVoid(autoCaller.state() == InInit ||
2060 autoCaller.state() == Ready ||
2061 autoCaller.state() == Limited);
2062
2063 AutoWriteLock chLock(childrenLock());
2064 mDependentChildren.push_back(aChild);
2065 }
2066
2067 /**
2068 * Removes the given child from the list of dependent children.
2069 *
2070 * Usually gets called from the child's uninit() method.
2071 *
2072 * Keep in mind that the called (parent) object may be no longer available
2073 * (i.e. may be deleted deleted) after this method returns, so you must not
2074 * call any other parent's methods after that!
2075 *
2076 * @note @a aChild (unless it is in InUninit state) must be protected by
2077 * VirtualBoxBase::AutoCaller to make sure it is not uninitialized on
2078 * another thread during this method's call.
2079 *
2080 * @note When #childrenLock() is not overloaded (returns the general object
2081 * lock) and this method is called from under the child's read or
2082 * write lock, make sure the {parent, child} locking order is
2083 * preserved by locking the callee (this object) for writing before
2084 * the child's lock. This is irrelevant when the method is called from
2085 * under this object's AutoUninitSpan (i.e. in InUninit state) since
2086 * in this case no locking is done.
2087 *
2088 * @param aChild Child object to remove.
2089 *
2090 * @note Locks #childrenLock() for writing.
2091 */
2092 void removeDependentChild(C *aChild)
2093 {
2094 AssertReturnVoid(aChild);
2095
2096 AutoCaller autoCaller(this);
2097
2098 /* sanity */
2099 AssertReturnVoid(autoCaller.state() == InUninit ||
2100 autoCaller.state() == InInit ||
2101 autoCaller.state() == Ready ||
2102 autoCaller.state() == Limited);
2103
2104 /* return shortly; we are strongly referenced so the object won't get
2105 * deleted if it calls init() before uninitDependentChildren() does
2106 * and therefore the list will still contain a valid reference that will
2107 * be correctly processed by uninitDependentChildren() anyway */
2108 if (autoCaller.state() == InUninit)
2109 return;
2110
2111 AutoWriteLock chLock(childrenLock());
2112 mDependentChildren.remove(aChild);
2113 }
2114
2115protected:
2116
2117 /**
2118 * Returns the read-only list of all dependent children.
2119 *
2120 * @note Access the returned list (iterate, get size etc.) only after making
2121 * sure #childrenLock() is locked for reading or for writing!
2122 */
2123 const DependentChildren &dependentChildren() const { return mDependentChildren; }
2124
2125 /**
2126 * Uninitializes all dependent children registered on this object with
2127 * #addDependentChild().
2128 *
2129 * Must be called from within the VirtualBoxBaseProto::AutoUninitSpan (i.e.
2130 * typically from this object's uninit() method) to uninitialize children
2131 * before this object goes out of service and becomes unusable.
2132 *
2133 * Note that this method will call uninit() methods of child objects. If
2134 * these methods need to call the parent object during uninitialization,
2135 * #uninitDependentChildren() must be called before the relevant part of the
2136 * parent is uninitialized: usually at the beginning of the parent
2137 * uninitialization sequence.
2138 *
2139 * @note May lock something through the called children.
2140 */
2141 void uninitDependentChildren()
2142 {
2143 AutoCaller autoCaller(this);
2144
2145 /* We don't want to hold the childrenLock() write lock here (necessary
2146 * to protect mDependentChildren) when uninitializing children because
2147 * we want to avoid a possible deadlock where we could get stuck in
2148 * child->uninit() blocked by AutoUninitSpan waiting for the number of
2149 * child's callers to drop to zero (or for another AutoUninitSpan to
2150 * finish), while some other thread is stuck in our
2151 * removeDependentChild() method called for that child and waiting for
2152 * the childrenLock()'s write lock.
2153 *
2154 * The only safe place to not lock and keep accessing our data members
2155 * is the InUninit state (no active call to our object may exist on
2156 * another thread when we are in InUinint, provided that all such calls
2157 * use the AutoCaller class of course). InUinint is also used as a flag
2158 * by removeDependentChild() that prevents touching mDependentChildren
2159 * from outside. Therefore, we assert. Note that InInit is also fine
2160 * since no any object may access us by that time.
2161 */
2162 AssertReturnVoid(autoCaller.state() == InUninit ||
2163 autoCaller.state() == InInit);
2164
2165 if (mDependentChildren.size())
2166 {
2167 for (typename DependentChildren::iterator it = mDependentChildren.begin();
2168 it != mDependentChildren.end(); ++ it)
2169 {
2170 C *child = (*it);
2171 Assert(child);
2172
2173 /* Note that if child->uninit() happens to be called on another
2174 * thread right before us and is not yet finished, the second
2175 * uninit() call will wait until the first one has done so
2176 * (thanks to AutoUninitSpan). */
2177 if (child)
2178 child->uninit();
2179 }
2180
2181 /* release all strong references we hold */
2182 mDependentChildren.clear();
2183 }
2184 }
2185
2186 /**
2187 * Removes (detaches) all dependent children registered with
2188 * #addDependentChild(), without uninitializing them.
2189 *
2190 * @note @a |this| (unless it is in InUninit state) must be protected by
2191 * VirtualBoxBase::AutoCaller to make sure it is not uninitialized on
2192 * another thread during this method's call.
2193 *
2194 * @note Locks #childrenLock() for writing.
2195 */
2196 void removeDependentChildren()
2197 {
2198 AutoWriteLock chLock(childrenLock());
2199 mDependentChildren.clear();
2200 }
2201
2202private:
2203
2204 DependentChildren mDependentChildren;
2205};
2206
2207////////////////////////////////////////////////////////////////////////////////
2208
2209/// @todo (dmik) remove after we switch to VirtualBoxBaseNEXT completely
2210/**
2211 * Simple template that manages data structure allocation/deallocation
2212 * and supports data pointer sharing (the instance that shares the pointer is
2213 * not responsible for memory deallocation as opposed to the instance that
2214 * owns it).
2215 */
2216template <class D>
2217class Shareable
2218{
2219public:
2220
2221 Shareable() : mData (NULL), mIsShared(FALSE) {}
2222 ~Shareable() { free(); }
2223
2224 void allocate() { attach(new D); }
2225
2226 virtual void free() {
2227 if (mData) {
2228 if (!mIsShared)
2229 delete mData;
2230 mData = NULL;
2231 mIsShared = false;
2232 }
2233 }
2234
2235 void attach(D *d) {
2236 AssertMsg(d, ("new data must not be NULL"));
2237 if (d && mData != d) {
2238 if (mData && !mIsShared)
2239 delete mData;
2240 mData = d;
2241 mIsShared = false;
2242 }
2243 }
2244
2245 void attach(Shareable &d) {
2246 AssertMsg(
2247 d.mData == mData || !d.mIsShared,
2248 ("new data must not be shared")
2249 );
2250 if (this != &d && !d.mIsShared) {
2251 attach(d.mData);
2252 d.mIsShared = true;
2253 }
2254 }
2255
2256 void share(D *d) {
2257 AssertMsg(d, ("new data must not be NULL"));
2258 if (mData != d) {
2259 if (mData && !mIsShared)
2260 delete mData;
2261 mData = d;
2262 mIsShared = true;
2263 }
2264 }
2265
2266 void share(const Shareable &d) { share(d.mData); }
2267
2268 void attachCopy(const D *d) {
2269 AssertMsg(d, ("data to copy must not be NULL"));
2270 if (d)
2271 attach(new D(*d));
2272 }
2273
2274 void attachCopy(const Shareable &d) {
2275 attachCopy(d.mData);
2276 }
2277
2278 virtual D *detach() {
2279 D *d = mData;
2280 mData = NULL;
2281 mIsShared = false;
2282 return d;
2283 }
2284
2285 D *data() const {
2286 return mData;
2287 }
2288
2289 D *operator->() const {
2290 AssertMsg(mData, ("data must not be NULL"));
2291 return mData;
2292 }
2293
2294 bool isNull() const { return mData == NULL; }
2295 bool operator!() const { return isNull(); }
2296
2297 bool isShared() const { return mIsShared; }
2298
2299protected:
2300
2301 D *mData;
2302 bool mIsShared;
2303};
2304
2305/// @todo (dmik) remove after we switch to VirtualBoxBaseNEXT completely
2306/**
2307 * Simple template that enhances Shareable<> and supports data
2308 * backup/rollback/commit (using the copy constructor of the managed data
2309 * structure).
2310 */
2311template<class D>
2312class Backupable : public Shareable<D>
2313{
2314public:
2315
2316 Backupable() : Shareable<D> (), mBackupData(NULL) {}
2317
2318 void free()
2319 {
2320 AssertMsg(this->mData || !mBackupData, ("backup must be NULL if data is NULL"));
2321 rollback();
2322 Shareable<D>::free();
2323 }
2324
2325 D *detach()
2326 {
2327 AssertMsg(this->mData || !mBackupData, ("backup must be NULL if data is NULL"));
2328 rollback();
2329 return Shareable<D>::detach();
2330 }
2331
2332 void share(const Backupable &d)
2333 {
2334 AssertMsg(!d.isBackedUp(), ("data to share must not be backed up"));
2335 if (!d.isBackedUp())
2336 Shareable<D>::share(d.mData);
2337 }
2338
2339 /**
2340 * Stores the current data pointer in the backup area, allocates new data
2341 * using the copy constructor on current data and makes new data active.
2342 */
2343 void backup()
2344 {
2345 AssertMsg(this->mData, ("data must not be NULL"));
2346 if (this->mData && !mBackupData)
2347 {
2348 D *pNewData = new D(*this->mData);
2349 mBackupData = this->mData;
2350 this->mData = pNewData;
2351 }
2352 }
2353
2354 /**
2355 * Deletes new data created by #backup() and restores previous data pointer
2356 * stored in the backup area, making it active again.
2357 */
2358 void rollback()
2359 {
2360 if (this->mData && mBackupData)
2361 {
2362 delete this->mData;
2363 this->mData = mBackupData;
2364 mBackupData = NULL;
2365 }
2366 }
2367
2368 /**
2369 * Commits current changes by deleting backed up data and clearing up the
2370 * backup area. The new data pointer created by #backup() remains active
2371 * and becomes the only managed pointer.
2372 *
2373 * This method is much faster than #commitCopy() (just a single pointer
2374 * assignment operation), but makes the previous data pointer invalid
2375 * (because it is freed). For this reason, this method must not be
2376 * used if it's possible that data managed by this instance is shared with
2377 * some other Shareable instance. See #commitCopy().
2378 */
2379 void commit()
2380 {
2381 if (this->mData && mBackupData)
2382 {
2383 if (!this->mIsShared)
2384 delete mBackupData;
2385 mBackupData = NULL;
2386 this->mIsShared = false;
2387 }
2388 }
2389
2390 /**
2391 * Commits current changes by assigning new data to the previous data
2392 * pointer stored in the backup area using the assignment operator.
2393 * New data is deleted, the backup area is cleared and the previous data
2394 * pointer becomes active and the only managed pointer.
2395 *
2396 * This method is slower than #commit(), but it keeps the previous data
2397 * pointer valid (i.e. new data is copied to the same memory location).
2398 * For that reason it's safe to use this method on instances that share
2399 * managed data with other Shareable instances.
2400 */
2401 void commitCopy()
2402 {
2403 if (this->mData && mBackupData)
2404 {
2405 *mBackupData = *(this->mData);
2406 delete this->mData;
2407 this->mData = mBackupData;
2408 mBackupData = NULL;
2409 }
2410 }
2411
2412 void assignCopy(const D *pData)
2413 {
2414 AssertMsg(this->mData, ("data must not be NULL"));
2415 AssertMsg(pData, ("data to copy must not be NULL"));
2416 if (this->mData && pData)
2417 {
2418 if (!mBackupData)
2419 {
2420 D *pNewData = new D(*pData);
2421 mBackupData = this->mData;
2422 this->mData = pNewData;
2423 }
2424 else
2425 *this->mData = *pData;
2426 }
2427 }
2428
2429 void assignCopy(const Backupable &d)
2430 {
2431 assignCopy(d.mData);
2432 }
2433
2434 bool isBackedUp() const
2435 {
2436 return mBackupData != NULL;
2437 }
2438
2439 bool hasActualChanges() const
2440 {
2441 AssertMsg(this->mData, ("data must not be NULL"));
2442 return this->mData != NULL && mBackupData != NULL &&
2443 !(*this->mData == *mBackupData);
2444 }
2445
2446 D *backedUpData() const
2447 {
2448 return mBackupData;
2449 }
2450
2451protected:
2452
2453 D *mBackupData;
2454};
2455
2456#endif // !____H_VIRTUALBOXBASEIMPL
2457
Note: See TracBrowser for help on using the repository browser.

© 2024 Oracle Support Privacy / Do Not Sell My Info Terms of Use Trademark Policy Automated Access Etiquette