VirtualBox

source: vbox/trunk/src/VBox/Main/src-server/VirtualBoxImpl.cpp@ 94819

Last change on this file since 94819 was 94737, checked in by vboxsync, 3 years ago

Main/Update check: Take #2: Boilerplate code for update agent event handling in FE/Qt, along with an example -- this time the events are being emitted directly through Main / IVirtualBox. See @todos. bugref:7983

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 213.2 KB
Line 
1/* $Id: VirtualBoxImpl.cpp 94737 2022-04-28 14:26:49Z vboxsync $ */
2/** @file
3 * Implementation of IVirtualBox in VBoxSVC.
4 */
5
6/*
7 * Copyright (C) 2006-2022 Oracle Corporation
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
18#define LOG_GROUP LOG_GROUP_MAIN_VIRTUALBOX
19#include <iprt/asm.h>
20#include <iprt/base64.h>
21#include <iprt/buildconfig.h>
22#include <iprt/cpp/utils.h>
23#include <iprt/dir.h>
24#include <iprt/env.h>
25#include <iprt/file.h>
26#include <iprt/path.h>
27#include <iprt/process.h>
28#include <iprt/rand.h>
29#include <iprt/sha.h>
30#include <iprt/string.h>
31#include <iprt/stream.h>
32#include <iprt/system.h>
33#include <iprt/thread.h>
34#include <iprt/uuid.h>
35#include <iprt/cpp/xml.h>
36#include <iprt/ctype.h>
37
38#include <VBox/com/com.h>
39#include <VBox/com/array.h>
40#include "VBox/com/EventQueue.h"
41#include "VBox/com/MultiResult.h"
42
43#include <VBox/err.h>
44#include <VBox/param.h>
45#include <VBox/settings.h>
46#include <VBox/sup.h>
47#include <VBox/version.h>
48
49#ifdef VBOX_WITH_SHARED_CLIPBOARD_TRANSFERS
50# include <VBox/GuestHost/SharedClipboard-transfers.h>
51#endif
52
53#include <package-generated.h>
54
55#include <algorithm>
56#include <set>
57#include <vector>
58#include <memory> // for auto_ptr
59
60#include "VirtualBoxImpl.h"
61
62#include "Global.h"
63#include "MachineImpl.h"
64#include "MediumImpl.h"
65#include "SharedFolderImpl.h"
66#include "ProgressImpl.h"
67#include "HostImpl.h"
68#include "USBControllerImpl.h"
69#include "SystemPropertiesImpl.h"
70#include "GuestOSTypeImpl.h"
71#include "NetworkServiceRunner.h"
72#include "DHCPServerImpl.h"
73#include "NATNetworkImpl.h"
74#ifdef VBOX_WITH_VMNET
75#include "HostOnlyNetworkImpl.h"
76#endif /* VBOX_WITH_VMNET */
77#ifdef VBOX_WITH_CLOUD_NET
78#include "CloudNetworkImpl.h"
79#endif /* VBOX_WITH_CLOUD_NET */
80#ifdef VBOX_WITH_RESOURCE_USAGE_API
81# include "PerformanceImpl.h"
82#endif /* VBOX_WITH_RESOURCE_USAGE_API */
83#ifdef VBOX_WITH_UPDATE_AGENT
84# include "UpdateAgentImpl.h"
85#endif
86#include "EventImpl.h"
87#ifdef VBOX_WITH_EXTPACK
88# include "ExtPackManagerImpl.h"
89#endif
90#ifdef VBOX_WITH_UNATTENDED
91# include "UnattendedImpl.h"
92#endif
93#include "AutostartDb.h"
94#include "ClientWatcher.h"
95#include "AutoCaller.h"
96#include "LoggingNew.h"
97#include "CloudProviderManagerImpl.h"
98#include "ThreadTask.h"
99#include "VBoxEvents.h"
100
101#include <QMTranslator.h>
102
103#ifdef RT_OS_WINDOWS
104# include "win/svchlp.h"
105# include "tchar.h"
106#endif
107
108
109////////////////////////////////////////////////////////////////////////////////
110//
111// Definitions
112//
113////////////////////////////////////////////////////////////////////////////////
114
115#define VBOX_GLOBAL_SETTINGS_FILE "VirtualBox.xml"
116
117////////////////////////////////////////////////////////////////////////////////
118//
119// Global variables
120//
121////////////////////////////////////////////////////////////////////////////////
122
123// static
124com::Utf8Str VirtualBox::sVersion;
125
126// static
127com::Utf8Str VirtualBox::sVersionNormalized;
128
129// static
130ULONG VirtualBox::sRevision;
131
132// static
133com::Utf8Str VirtualBox::sPackageType;
134
135// static
136com::Utf8Str VirtualBox::sAPIVersion;
137
138// static
139std::map<com::Utf8Str, int> VirtualBox::sNatNetworkNameToRefCount;
140
141// static leaked (todo: find better place to free it.)
142RWLockHandle *VirtualBox::spMtxNatNetworkNameToRefCountLock;
143
144
145#if 0 /* obsoleted by AsyncEvent */
146////////////////////////////////////////////////////////////////////////////////
147//
148// CallbackEvent class
149//
150////////////////////////////////////////////////////////////////////////////////
151
152/**
153 * Abstract callback event class to asynchronously call VirtualBox callbacks
154 * on a dedicated event thread. Subclasses reimplement #prepareEventDesc()
155 * to initialize the event depending on the event to be dispatched.
156 *
157 * @note The VirtualBox instance passed to the constructor is strongly
158 * referenced, so that the VirtualBox singleton won't be released until the
159 * event gets handled by the event thread.
160 */
161class VirtualBox::CallbackEvent : public Event
162{
163public:
164
165 CallbackEvent(VirtualBox *aVirtualBox, VBoxEventType_T aWhat)
166 : mVirtualBox(aVirtualBox), mWhat(aWhat)
167 {
168 Assert(aVirtualBox);
169 }
170
171 void *handler();
172
173 virtual HRESULT prepareEventDesc(IEventSource* aSource, VBoxEventDesc& aEvDesc) = 0;
174
175private:
176
177 /**
178 * Note that this is a weak ref -- the CallbackEvent handler thread
179 * is bound to the lifetime of the VirtualBox instance, so it's safe.
180 */
181 VirtualBox *mVirtualBox;
182protected:
183 VBoxEventType_T mWhat;
184};
185#endif
186
187////////////////////////////////////////////////////////////////////////////////
188//
189// AsyncEvent class
190//
191////////////////////////////////////////////////////////////////////////////////
192
193/**
194 * For firing off an event on asynchronously on an event thread.
195 */
196class VirtualBox::AsyncEvent : public Event
197{
198public:
199 AsyncEvent(VirtualBox *a_pVirtualBox, ComPtr<IEvent> const &a_rEvent)
200 : mVirtualBox(a_pVirtualBox), mEvent(a_rEvent)
201 {
202 Assert(a_pVirtualBox);
203 }
204
205 void *handler() RT_OVERRIDE;
206
207private:
208 /**
209 * @note This is a weak ref -- the CallbackEvent handler thread is bound to the
210 * lifetime of the VirtualBox instance, so it's safe.
211 */
212 VirtualBox *mVirtualBox;
213 /** The event. */
214 ComPtr<IEvent> mEvent;
215};
216
217////////////////////////////////////////////////////////////////////////////////
218//
219// VirtualBox private member data definition
220//
221////////////////////////////////////////////////////////////////////////////////
222
223#if defined(RT_OS_WINDOWS) && defined(VBOXSVC_WITH_CLIENT_WATCHER)
224/**
225 * Client process watcher data.
226 */
227class WatchedClientProcess
228{
229public:
230 WatchedClientProcess(RTPROCESS a_pid, HANDLE a_hProcess) RT_NOEXCEPT
231 : m_pid(a_pid)
232 , m_cRefs(1)
233 , m_hProcess(a_hProcess)
234 {
235 }
236
237 ~WatchedClientProcess()
238 {
239 if (m_hProcess != NULL)
240 {
241 ::CloseHandle(m_hProcess);
242 m_hProcess = NULL;
243 }
244 m_pid = NIL_RTPROCESS;
245 }
246
247 /** The client PID. */
248 RTPROCESS m_pid;
249 /** Number of references to this structure. */
250 uint32_t volatile m_cRefs;
251 /** Handle of the client process.
252 * Ideally, we've got full query privileges, but we'll settle for waiting. */
253 HANDLE m_hProcess;
254};
255typedef std::map<RTPROCESS, WatchedClientProcess *> WatchedClientProcessMap;
256#endif
257
258
259typedef ObjectsList<Medium> MediaOList;
260typedef ObjectsList<GuestOSType> GuestOSTypesOList;
261typedef ObjectsList<SharedFolder> SharedFoldersOList;
262typedef ObjectsList<DHCPServer> DHCPServersOList;
263typedef ObjectsList<NATNetwork> NATNetworksOList;
264#ifdef VBOX_WITH_VMNET
265typedef ObjectsList<HostOnlyNetwork> HostOnlyNetworksOList;
266#endif /* VBOX_WITH_VMNET */
267#ifdef VBOX_WITH_CLOUD_NET
268typedef ObjectsList<CloudNetwork> CloudNetworksOList;
269#endif /* VBOX_WITH_CLOUD_NET */
270
271typedef std::map<Guid, ComPtr<IProgress> > ProgressMap;
272typedef std::map<Guid, ComObjPtr<Medium> > HardDiskMap;
273
274/**
275 * Main VirtualBox data structure.
276 * @note |const| members are persistent during lifetime so can be accessed
277 * without locking.
278 */
279struct VirtualBox::Data
280{
281 Data()
282 : pMainConfigFile(NULL)
283 , uuidMediaRegistry("48024e5c-fdd9-470f-93af-ec29f7ea518c")
284 , uRegistryNeedsSaving(0)
285 , lockMachines(LOCKCLASS_LISTOFMACHINES)
286 , allMachines(lockMachines)
287 , lockGuestOSTypes(LOCKCLASS_LISTOFOTHEROBJECTS)
288 , allGuestOSTypes(lockGuestOSTypes)
289 , lockMedia(LOCKCLASS_LISTOFMEDIA)
290 , allHardDisks(lockMedia)
291 , allDVDImages(lockMedia)
292 , allFloppyImages(lockMedia)
293 , lockSharedFolders(LOCKCLASS_LISTOFOTHEROBJECTS)
294 , allSharedFolders(lockSharedFolders)
295 , lockDHCPServers(LOCKCLASS_LISTOFOTHEROBJECTS)
296 , allDHCPServers(lockDHCPServers)
297 , lockNATNetworks(LOCKCLASS_LISTOFOTHEROBJECTS)
298 , allNATNetworks(lockNATNetworks)
299#ifdef VBOX_WITH_VMNET
300 , lockHostOnlyNetworks(LOCKCLASS_LISTOFOTHEROBJECTS)
301 , allHostOnlyNetworks(lockHostOnlyNetworks)
302#endif /* VBOX_WITH_VMNET */
303#ifdef VBOX_WITH_CLOUD_NET
304 , lockCloudNetworks(LOCKCLASS_LISTOFOTHEROBJECTS)
305 , allCloudNetworks(lockCloudNetworks)
306#endif /* VBOX_WITH_CLOUD_NET */
307 , mtxProgressOperations(LOCKCLASS_PROGRESSLIST)
308 , pClientWatcher(NULL)
309 , threadAsyncEvent(NIL_RTTHREAD)
310 , pAsyncEventQ(NULL)
311 , pAutostartDb(NULL)
312 , fSettingsCipherKeySet(false)
313#ifdef VBOX_WITH_MAIN_NLS
314 , pVBoxTranslator(NULL)
315 , pTrComponent(NULL)
316#endif
317#if defined(RT_OS_WINDOWS) && defined(VBOXSVC_WITH_CLIENT_WATCHER)
318 , fWatcherIsReliable(RTSystemGetNtVersion() >= RTSYSTEM_MAKE_NT_VERSION(6, 0, 0))
319#endif
320 , hLdrModCrypto(NIL_RTLDRMOD)
321 , cRefsCrypto(0)
322 , pCryptoIf(NULL)
323 {
324#if defined(RT_OS_WINDOWS) && defined(VBOXSVC_WITH_CLIENT_WATCHER)
325 RTCritSectRwInit(&WatcherCritSect);
326#endif
327 }
328
329 ~Data()
330 {
331 if (pMainConfigFile)
332 {
333 delete pMainConfigFile;
334 pMainConfigFile = NULL;
335 }
336 };
337
338 // const data members not requiring locking
339 const Utf8Str strHomeDir;
340
341 // VirtualBox main settings file
342 const Utf8Str strSettingsFilePath;
343 settings::MainConfigFile *pMainConfigFile;
344
345 // constant pseudo-machine ID for global media registry
346 const Guid uuidMediaRegistry;
347
348 // counter if global media registry needs saving, updated using atomic
349 // operations, without requiring any locks
350 uint64_t uRegistryNeedsSaving;
351
352 // const objects not requiring locking
353 const ComObjPtr<Host> pHost;
354 const ComObjPtr<SystemProperties> pSystemProperties;
355#ifdef VBOX_WITH_RESOURCE_USAGE_API
356 const ComObjPtr<PerformanceCollector> pPerformanceCollector;
357#endif /* VBOX_WITH_RESOURCE_USAGE_API */
358
359 // Each of the following lists use a particular lock handle that protects the
360 // list as a whole. As opposed to version 3.1 and earlier, these lists no
361 // longer need the main VirtualBox object lock, but only the respective list
362 // lock. In each case, the locking order is defined that the list must be
363 // requested before object locks of members of the lists (see the order definitions
364 // in AutoLock.h; e.g. LOCKCLASS_LISTOFMACHINES before LOCKCLASS_MACHINEOBJECT).
365 RWLockHandle lockMachines;
366 MachinesOList allMachines;
367
368 RWLockHandle lockGuestOSTypes;
369 GuestOSTypesOList allGuestOSTypes;
370
371 // All the media lists are protected by the following locking handle:
372 RWLockHandle lockMedia;
373 MediaOList allHardDisks, // base images only!
374 allDVDImages,
375 allFloppyImages;
376 // the hard disks map is an additional map sorted by UUID for quick lookup
377 // and contains ALL hard disks (base and differencing); it is protected by
378 // the same lock as the other media lists above
379 HardDiskMap mapHardDisks;
380
381 // list of pending machine renames (also protected by media tree lock;
382 // see VirtualBox::rememberMachineNameChangeForMedia())
383 struct PendingMachineRename
384 {
385 Utf8Str strConfigDirOld;
386 Utf8Str strConfigDirNew;
387 };
388 typedef std::list<PendingMachineRename> PendingMachineRenamesList;
389 PendingMachineRenamesList llPendingMachineRenames;
390
391 RWLockHandle lockSharedFolders;
392 SharedFoldersOList allSharedFolders;
393
394 RWLockHandle lockDHCPServers;
395 DHCPServersOList allDHCPServers;
396
397 RWLockHandle lockNATNetworks;
398 NATNetworksOList allNATNetworks;
399
400#ifdef VBOX_WITH_VMNET
401 RWLockHandle lockHostOnlyNetworks;
402 HostOnlyNetworksOList allHostOnlyNetworks;
403#endif /* VBOX_WITH_VMNET */
404#ifdef VBOX_WITH_CLOUD_NET
405 RWLockHandle lockCloudNetworks;
406 CloudNetworksOList allCloudNetworks;
407#endif /* VBOX_WITH_CLOUD_NET */
408
409 RWLockHandle mtxProgressOperations;
410 ProgressMap mapProgressOperations;
411
412 ClientWatcher * const pClientWatcher;
413
414 // the following are data for the async event thread
415 const RTTHREAD threadAsyncEvent;
416 EventQueue * const pAsyncEventQ;
417 const ComObjPtr<EventSource> pEventSource;
418
419#ifdef VBOX_WITH_EXTPACK
420 /** The extension pack manager object lives here. */
421 const ComObjPtr<ExtPackManager> ptrExtPackManager;
422#endif
423
424 /** The reference to the cloud provider manager singleton. */
425 const ComObjPtr<CloudProviderManager> pCloudProviderManager;
426
427 /** The global autostart database for the user. */
428 AutostartDb * const pAutostartDb;
429
430 /** Settings secret */
431 bool fSettingsCipherKeySet;
432 uint8_t SettingsCipherKey[RTSHA512_HASH_SIZE];
433#ifdef VBOX_WITH_MAIN_NLS
434 VirtualBoxTranslator *pVBoxTranslator;
435 PTRCOMPONENT pTrComponent;
436#endif
437#if defined(RT_OS_WINDOWS) && defined(VBOXSVC_WITH_CLIENT_WATCHER)
438 /** Critical section protecting WatchedProcesses. */
439 RTCRITSECTRW WatcherCritSect;
440 /** Map of processes being watched, key is the PID. */
441 WatchedClientProcessMap WatchedProcesses;
442 /** Set if the watcher is reliable, otherwise cleared.
443 * The watcher goes unreliable when we run out of memory, fail open a client
444 * process, or if the watcher thread gets messed up. */
445 bool fWatcherIsReliable;
446#endif
447
448 /** @name Members related to the cryptographic support interface.
449 * @{ */
450 /** The loaded module handle if loaded. */
451 RTLDRMOD hLdrModCrypto;
452 /** Reference counter tracking how many users of the cryptographic support
453 * are there currently. */
454 volatile uint32_t cRefsCrypto;
455 /** Pointer to the cryptographic support interface. */
456 PCVBOXCRYPTOIF pCryptoIf;
457 /** @} */
458};
459
460// constructor / destructor
461/////////////////////////////////////////////////////////////////////////////
462
463DEFINE_EMPTY_CTOR_DTOR(VirtualBox)
464
465HRESULT VirtualBox::FinalConstruct()
466{
467 LogRelFlowThisFuncEnter();
468 LogRel(("VirtualBox: object creation starts\n"));
469
470 BaseFinalConstruct();
471
472 HRESULT rc = init();
473
474 LogRelFlowThisFuncLeave();
475 LogRel(("VirtualBox: object created\n"));
476
477 return rc;
478}
479
480void VirtualBox::FinalRelease()
481{
482 LogRelFlowThisFuncEnter();
483 LogRel(("VirtualBox: object deletion starts\n"));
484
485 uninit();
486
487 BaseFinalRelease();
488
489 LogRel(("VirtualBox: object deleted\n"));
490 LogRelFlowThisFuncLeave();
491}
492
493// public initializer/uninitializer for internal purposes only
494/////////////////////////////////////////////////////////////////////////////
495
496/**
497 * Initializes the VirtualBox object.
498 *
499 * @return COM result code
500 */
501HRESULT VirtualBox::init()
502{
503 LogRelFlowThisFuncEnter();
504 /* Enclose the state transition NotReady->InInit->Ready */
505 AutoInitSpan autoInitSpan(this);
506 AssertReturn(autoInitSpan.isOk(), E_FAIL);
507
508 /* Locking this object for writing during init sounds a bit paradoxical,
509 * but in the current locking mess this avoids that some code gets a
510 * read lock and later calls code which wants the same write lock. */
511 AutoWriteLock lock(this COMMA_LOCKVAL_SRC_POS);
512
513 // allocate our instance data
514 m = new Data;
515
516 LogFlow(("===========================================================\n"));
517 LogFlowThisFuncEnter();
518
519 if (sVersion.isEmpty())
520 sVersion = RTBldCfgVersion();
521 if (sVersionNormalized.isEmpty())
522 {
523 Utf8Str tmp(RTBldCfgVersion());
524 if (tmp.endsWith(VBOX_BUILD_PUBLISHER))
525 tmp = tmp.substr(0, tmp.length() - strlen(VBOX_BUILD_PUBLISHER));
526 sVersionNormalized = tmp;
527 }
528 sRevision = RTBldCfgRevision();
529 if (sPackageType.isEmpty())
530 sPackageType = VBOX_PACKAGE_STRING;
531 if (sAPIVersion.isEmpty())
532 sAPIVersion = VBOX_API_VERSION_STRING;
533 if (!spMtxNatNetworkNameToRefCountLock)
534 spMtxNatNetworkNameToRefCountLock = new RWLockHandle(LOCKCLASS_VIRTUALBOXOBJECT);
535
536 LogFlowThisFunc(("Version: %s, Package: %s, API Version: %s\n", sVersion.c_str(), sPackageType.c_str(), sAPIVersion.c_str()));
537
538 /* Important: DO NOT USE any kind of "early return" (except the single
539 * one above, checking the init span success) in this method. It is vital
540 * for correct error handling that it has only one point of return, which
541 * does all the magic on COM to signal object creation success and
542 * reporting the error later for every API method. COM translates any
543 * unsuccessful object creation to REGDB_E_CLASSNOTREG errors or similar
544 * unhelpful ones which cause us a lot of grief with troubleshooting. */
545
546 HRESULT rc = S_OK;
547 bool fCreate = false;
548 try
549 {
550 /* Create the event source early as we may fire async event during settings loading (media). */
551 rc = unconst(m->pEventSource).createObject();
552 if (FAILED(rc)) throw rc;
553 rc = m->pEventSource->init();
554 if (FAILED(rc)) throw rc;
555
556
557 /* Get the VirtualBox home directory. */
558 {
559 char szHomeDir[RTPATH_MAX];
560 int vrc = com::GetVBoxUserHomeDirectory(szHomeDir, sizeof(szHomeDir));
561 if (RT_FAILURE(vrc))
562 throw setErrorBoth(E_FAIL, vrc,
563 tr("Could not create the VirtualBox home directory '%s' (%Rrc)"),
564 szHomeDir, vrc);
565
566 unconst(m->strHomeDir) = szHomeDir;
567 }
568
569 LogRel(("Home directory: '%s'\n", m->strHomeDir.c_str()));
570
571 i_reportDriverVersions();
572
573 /* compose the VirtualBox.xml file name */
574 unconst(m->strSettingsFilePath) = Utf8StrFmt("%s%c%s",
575 m->strHomeDir.c_str(),
576 RTPATH_DELIMITER,
577 VBOX_GLOBAL_SETTINGS_FILE);
578 // load and parse VirtualBox.xml; this will throw on XML or logic errors
579 try
580 {
581 m->pMainConfigFile = new settings::MainConfigFile(&m->strSettingsFilePath);
582 }
583 catch (xml::EIPRTFailure &e)
584 {
585 // this is thrown by the XML backend if the RTOpen() call fails;
586 // only if the main settings file does not exist, create it,
587 // if there's something more serious, then do fail!
588 if (e.rc() == VERR_FILE_NOT_FOUND)
589 fCreate = true;
590 else
591 throw;
592 }
593
594 if (fCreate)
595 m->pMainConfigFile = new settings::MainConfigFile(NULL);
596
597#ifdef VBOX_WITH_RESOURCE_USAGE_API
598 /* create the performance collector object BEFORE host */
599 unconst(m->pPerformanceCollector).createObject();
600 rc = m->pPerformanceCollector->init();
601 ComAssertComRCThrowRC(rc);
602#endif /* VBOX_WITH_RESOURCE_USAGE_API */
603
604 /* create the host object early, machines will need it */
605 unconst(m->pHost).createObject();
606 rc = m->pHost->init(this);
607 ComAssertComRCThrowRC(rc);
608
609 rc = m->pHost->i_loadSettings(m->pMainConfigFile->host);
610 if (FAILED(rc)) throw rc;
611
612 /*
613 * Create autostart database object early, because the system properties
614 * might need it.
615 */
616 unconst(m->pAutostartDb) = new AutostartDb;
617
618 /* create the system properties object, someone may need it too */
619 rc = unconst(m->pSystemProperties).createObject();
620 if (SUCCEEDED(rc))
621 rc = m->pSystemProperties->init(this);
622 ComAssertComRCThrowRC(rc);
623
624 rc = m->pSystemProperties->i_loadSettings(m->pMainConfigFile->systemProperties);
625 if (FAILED(rc)) throw rc;
626#ifdef VBOX_WITH_MAIN_NLS
627 m->pVBoxTranslator = VirtualBoxTranslator::instance();
628 /* Do not throw an exception on language errors.
629 * Just do not use translation. */
630 if (m->pVBoxTranslator)
631 {
632
633 char szNlsPath[RTPATH_MAX];
634 int vrc = RTPathAppPrivateNoArch(szNlsPath, sizeof(szNlsPath));
635 if (RT_SUCCESS(vrc))
636 vrc = RTPathAppend(szNlsPath, sizeof(szNlsPath), "nls" RTPATH_SLASH_STR "VirtualBoxAPI");
637
638 if (RT_SUCCESS(vrc))
639 {
640 vrc = m->pVBoxTranslator->registerTranslation(szNlsPath, true, &m->pTrComponent);
641 if (RT_SUCCESS(vrc))
642 {
643 com::Utf8Str strLocale;
644 HRESULT hrc = m->pSystemProperties->getLanguageId(strLocale);
645 if (SUCCEEDED(hrc))
646 {
647 vrc = m->pVBoxTranslator->i_loadLanguage(strLocale.c_str());
648 if (RT_FAILURE(vrc))
649 {
650 hrc = Global::vboxStatusCodeToCOM(vrc);
651 LogRel(("Load language failed (%Rhrc).\n", hrc));
652 }
653 }
654 else
655 {
656 LogRel(("Getting language settings failed (%Rhrc).\n", hrc));
657 m->pVBoxTranslator->release();
658 m->pVBoxTranslator = NULL;
659 m->pTrComponent = NULL;
660 }
661 }
662 else
663 {
664 HRESULT hrc = Global::vboxStatusCodeToCOM(vrc);
665 LogRel(("Register translation failed (%Rhrc).\n", hrc));
666 m->pVBoxTranslator->release();
667 m->pVBoxTranslator = NULL;
668 m->pTrComponent = NULL;
669 }
670 }
671 else
672 {
673 HRESULT hrc = Global::vboxStatusCodeToCOM(vrc);
674 LogRel(("Path constructing failed (%Rhrc).\n", hrc));
675 m->pVBoxTranslator->release();
676 m->pVBoxTranslator = NULL;
677 m->pTrComponent = NULL;
678 }
679 }
680 else
681 LogRel(("Translator creation failed.\n"));
682#endif
683
684#ifdef VBOX_WITH_EXTPACK
685 /*
686 * Initialize extension pack manager before system properties because
687 * it is required for the VD plugins.
688 */
689 rc = unconst(m->ptrExtPackManager).createObject();
690 if (SUCCEEDED(rc))
691 rc = m->ptrExtPackManager->initExtPackManager(this, VBOXEXTPACKCTX_PER_USER_DAEMON);
692 if (FAILED(rc))
693 throw rc;
694#endif
695 /* guest OS type objects, needed by machines */
696 for (size_t i = 0; i < Global::cOSTypes; ++i)
697 {
698 ComObjPtr<GuestOSType> guestOSTypeObj;
699 rc = guestOSTypeObj.createObject();
700 if (SUCCEEDED(rc))
701 {
702 rc = guestOSTypeObj->init(Global::sOSTypes[i]);
703 if (SUCCEEDED(rc))
704 m->allGuestOSTypes.addChild(guestOSTypeObj);
705 }
706 ComAssertComRCThrowRC(rc);
707 }
708
709 /* all registered media, needed by machines */
710 if (FAILED(rc = initMedia(m->uuidMediaRegistry,
711 m->pMainConfigFile->mediaRegistry,
712 Utf8Str::Empty))) // const Utf8Str &machineFolder
713 throw rc;
714
715 /* machines */
716 if (FAILED(rc = initMachines()))
717 throw rc;
718
719#ifdef DEBUG
720 LogFlowThisFunc(("Dumping media backreferences\n"));
721 i_dumpAllBackRefs();
722#endif
723
724 /* net services - dhcp services */
725 for (settings::DHCPServersList::const_iterator it = m->pMainConfigFile->llDhcpServers.begin();
726 it != m->pMainConfigFile->llDhcpServers.end();
727 ++it)
728 {
729 const settings::DHCPServer &data = *it;
730
731 ComObjPtr<DHCPServer> pDhcpServer;
732 if (SUCCEEDED(rc = pDhcpServer.createObject()))
733 rc = pDhcpServer->init(this, data);
734 if (FAILED(rc)) throw rc;
735
736 rc = i_registerDHCPServer(pDhcpServer, false /* aSaveRegistry */);
737 if (FAILED(rc)) throw rc;
738 }
739
740 /* net services - nat networks */
741 for (settings::NATNetworksList::const_iterator it = m->pMainConfigFile->llNATNetworks.begin();
742 it != m->pMainConfigFile->llNATNetworks.end();
743 ++it)
744 {
745 const settings::NATNetwork &net = *it;
746
747 ComObjPtr<NATNetwork> pNATNetwork;
748 rc = pNATNetwork.createObject();
749 AssertComRCThrowRC(rc);
750 rc = pNATNetwork->init(this, "");
751 AssertComRCThrowRC(rc);
752 rc = pNATNetwork->i_loadSettings(net);
753 AssertComRCThrowRC(rc);
754 rc = i_registerNATNetwork(pNATNetwork, false /* aSaveRegistry */);
755 AssertComRCThrowRC(rc);
756 }
757
758#ifdef VBOX_WITH_VMNET
759 /* host-only networks */
760 for (settings::HostOnlyNetworksList::const_iterator it = m->pMainConfigFile->llHostOnlyNetworks.begin();
761 it != m->pMainConfigFile->llHostOnlyNetworks.end();
762 ++it)
763 {
764 ComObjPtr<HostOnlyNetwork> pHostOnlyNetwork;
765 rc = pHostOnlyNetwork.createObject();
766 AssertComRCThrowRC(rc);
767 rc = pHostOnlyNetwork->init(this, "TODO???");
768 AssertComRCThrowRC(rc);
769 rc = pHostOnlyNetwork->i_loadSettings(*it);
770 AssertComRCThrowRC(rc);
771 m->allHostOnlyNetworks.addChild(pHostOnlyNetwork);
772 AssertComRCThrowRC(rc);
773 }
774#endif /* VBOX_WITH_VMNET */
775
776#ifdef VBOX_WITH_CLOUD_NET
777 /* net services - cloud networks */
778 for (settings::CloudNetworksList::const_iterator it = m->pMainConfigFile->llCloudNetworks.begin();
779 it != m->pMainConfigFile->llCloudNetworks.end();
780 ++it)
781 {
782 ComObjPtr<CloudNetwork> pCloudNetwork;
783 rc = pCloudNetwork.createObject();
784 AssertComRCThrowRC(rc);
785 rc = pCloudNetwork->init(this, "");
786 AssertComRCThrowRC(rc);
787 rc = pCloudNetwork->i_loadSettings(*it);
788 AssertComRCThrowRC(rc);
789 m->allCloudNetworks.addChild(pCloudNetwork);
790 AssertComRCThrowRC(rc);
791 }
792#endif /* VBOX_WITH_CLOUD_NET */
793
794 /* cloud provider manager */
795 rc = unconst(m->pCloudProviderManager).createObject();
796 if (SUCCEEDED(rc))
797 rc = m->pCloudProviderManager->init(this);
798 ComAssertComRCThrowRC(rc);
799 if (FAILED(rc)) throw rc;
800 }
801 catch (HRESULT err)
802 {
803 /* we assume that error info is set by the thrower */
804 rc = err;
805 }
806 catch (...)
807 {
808 rc = VirtualBoxBase::handleUnexpectedExceptions(this, RT_SRC_POS);
809 }
810
811 if (SUCCEEDED(rc))
812 {
813 /* set up client monitoring */
814 try
815 {
816 unconst(m->pClientWatcher) = new ClientWatcher(this);
817 if (!m->pClientWatcher->isReady())
818 {
819 delete m->pClientWatcher;
820 unconst(m->pClientWatcher) = NULL;
821 rc = E_FAIL;
822 }
823 }
824 catch (std::bad_alloc &)
825 {
826 rc = E_OUTOFMEMORY;
827 }
828 }
829
830 if (SUCCEEDED(rc))
831 {
832 try
833 {
834 /* start the async event handler thread */
835 int vrc = RTThreadCreate(&unconst(m->threadAsyncEvent),
836 AsyncEventHandler,
837 &unconst(m->pAsyncEventQ),
838 0,
839 RTTHREADTYPE_MAIN_WORKER,
840 RTTHREADFLAGS_WAITABLE,
841 "EventHandler");
842 ComAssertRCThrow(vrc, E_FAIL);
843
844 /* wait until the thread sets m->pAsyncEventQ */
845 RTThreadUserWait(m->threadAsyncEvent, RT_INDEFINITE_WAIT);
846 ComAssertThrow(m->pAsyncEventQ, E_FAIL);
847 }
848 catch (HRESULT aRC)
849 {
850 rc = aRC;
851 }
852 }
853
854#ifdef VBOX_WITH_EXTPACK
855 /* Let the extension packs have a go at things. */
856 if (SUCCEEDED(rc))
857 {
858 lock.release();
859 m->ptrExtPackManager->i_callAllVirtualBoxReadyHooks();
860 }
861#endif
862
863 /* Confirm a successful initialization when it's the case. Must be last,
864 * as on failure it will uninitialize the object. */
865 if (SUCCEEDED(rc))
866 autoInitSpan.setSucceeded();
867 else
868 autoInitSpan.setFailed(rc);
869
870 LogFlowThisFunc(("rc=%Rhrc\n", rc));
871 LogFlowThisFuncLeave();
872 LogFlow(("===========================================================\n"));
873 /* Unconditionally return success, because the error return is delayed to
874 * the attribute/method calls through the InitFailed object state. */
875 return S_OK;
876}
877
878HRESULT VirtualBox::initMachines()
879{
880 for (settings::MachinesRegistry::const_iterator it = m->pMainConfigFile->llMachines.begin();
881 it != m->pMainConfigFile->llMachines.end();
882 ++it)
883 {
884 HRESULT rc = S_OK;
885 const settings::MachineRegistryEntry &xmlMachine = *it;
886 Guid uuid = xmlMachine.uuid;
887
888 /* Check if machine record has valid parameters. */
889 if (xmlMachine.strSettingsFile.isEmpty() || uuid.isZero())
890 {
891 LogRel(("Skipped invalid machine record.\n"));
892 continue;
893 }
894
895 ComObjPtr<Machine> pMachine;
896 com::Utf8Str strPassword;
897 if (SUCCEEDED(rc = pMachine.createObject()))
898 {
899 rc = pMachine->initFromSettings(this,
900 xmlMachine.strSettingsFile,
901 &uuid,
902 strPassword);
903 if (SUCCEEDED(rc))
904 rc = i_registerMachine(pMachine);
905 if (FAILED(rc))
906 return rc;
907 }
908 }
909
910 return S_OK;
911}
912
913/**
914 * Loads a media registry from XML and adds the media contained therein to
915 * the global lists of known media.
916 *
917 * This now (4.0) gets called from two locations:
918 *
919 * -- VirtualBox::init(), to load the global media registry from VirtualBox.xml;
920 *
921 * -- Machine::loadMachineDataFromSettings(), to load the per-machine registry
922 * from machine XML, for machines created with VirtualBox 4.0 or later.
923 *
924 * In both cases, the media found are added to the global lists so the
925 * global arrays of media (including the GUI's virtual media manager)
926 * continue to work as before.
927 *
928 * @param uuidRegistry The UUID of the media registry. This is either the
929 * transient UUID created at VirtualBox startup for the global registry or
930 * a machine ID.
931 * @param mediaRegistry The XML settings structure to load, either from VirtualBox.xml
932 * or a machine XML.
933 * @param strMachineFolder The folder of the machine.
934 * @return
935 */
936HRESULT VirtualBox::initMedia(const Guid &uuidRegistry,
937 const settings::MediaRegistry &mediaRegistry,
938 const Utf8Str &strMachineFolder)
939{
940 LogFlow(("VirtualBox::initMedia ENTERING, uuidRegistry=%s, strMachineFolder=%s\n",
941 uuidRegistry.toString().c_str(),
942 strMachineFolder.c_str()));
943
944 AutoWriteLock treeLock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
945
946 // the order of notification is critical for GUI, so use std::list<std::pair> instead of map
947 std::list<std::pair<Guid, DeviceType_T> > uIdsForNotify;
948
949 HRESULT rc = S_OK;
950 settings::MediaList::const_iterator it;
951 for (it = mediaRegistry.llHardDisks.begin();
952 it != mediaRegistry.llHardDisks.end();
953 ++it)
954 {
955 const settings::Medium &xmlHD = *it;
956
957 rc = Medium::initFromSettings(this,
958 DeviceType_HardDisk,
959 uuidRegistry,
960 strMachineFolder,
961 xmlHD,
962 treeLock,
963 uIdsForNotify);
964 if (FAILED(rc)) return rc;
965 }
966
967 for (it = mediaRegistry.llDvdImages.begin();
968 it != mediaRegistry.llDvdImages.end();
969 ++it)
970 {
971 const settings::Medium &xmlDvd = *it;
972
973 rc = Medium::initFromSettings(this,
974 DeviceType_DVD,
975 uuidRegistry,
976 strMachineFolder,
977 xmlDvd,
978 treeLock,
979 uIdsForNotify);
980 if (FAILED(rc)) return rc;
981 }
982
983 for (it = mediaRegistry.llFloppyImages.begin();
984 it != mediaRegistry.llFloppyImages.end();
985 ++it)
986 {
987 const settings::Medium &xmlFloppy = *it;
988
989 rc = Medium::initFromSettings(this,
990 DeviceType_Floppy,
991 uuidRegistry,
992 strMachineFolder,
993 xmlFloppy,
994 treeLock,
995 uIdsForNotify);
996 if (FAILED(rc)) return rc;
997 }
998
999 for (std::list<std::pair<Guid, DeviceType_T> >::const_iterator itItem = uIdsForNotify.begin();
1000 itItem != uIdsForNotify.end();
1001 ++itItem)
1002 {
1003 i_onMediumRegistered(itItem->first, itItem->second, TRUE);
1004 }
1005
1006 LogFlow(("VirtualBox::initMedia LEAVING\n"));
1007
1008 return S_OK;
1009}
1010
1011void VirtualBox::uninit()
1012{
1013 /* Must be done outside the AutoUninitSpan, as it expects AutoCaller to
1014 * be successful. This needs additional checks to protect against double
1015 * uninit, as then the pointer is NULL. */
1016 if (RT_VALID_PTR(m))
1017 {
1018 Assert(!m->uRegistryNeedsSaving);
1019 if (m->uRegistryNeedsSaving)
1020 i_saveSettings();
1021 }
1022
1023 /* Enclose the state transition Ready->InUninit->NotReady */
1024 AutoUninitSpan autoUninitSpan(this);
1025 if (autoUninitSpan.uninitDone())
1026 return;
1027
1028 LogFlow(("===========================================================\n"));
1029 LogFlowThisFuncEnter();
1030 LogFlowThisFunc(("initFailed()=%d\n", autoUninitSpan.initFailed()));
1031
1032 /* tell all our child objects we've been uninitialized */
1033
1034 LogFlowThisFunc(("Uninitializing machines (%d)...\n", m->allMachines.size()));
1035 if (m->pHost)
1036 {
1037 /* It is necessary to hold the VirtualBox and Host locks here because
1038 we may have to uninitialize SessionMachines. */
1039 AutoMultiWriteLock2 multilock(this, m->pHost COMMA_LOCKVAL_SRC_POS);
1040 m->allMachines.uninitAll();
1041 }
1042 else
1043 m->allMachines.uninitAll();
1044 m->allFloppyImages.uninitAll();
1045 m->allDVDImages.uninitAll();
1046 m->allHardDisks.uninitAll();
1047 m->allDHCPServers.uninitAll();
1048
1049 m->mapProgressOperations.clear();
1050
1051 m->allGuestOSTypes.uninitAll();
1052
1053 /* Note that we release singleton children after we've all other children.
1054 * In some cases this is important because these other children may use
1055 * some resources of the singletons which would prevent them from
1056 * uninitializing (as for example, mSystemProperties which owns
1057 * MediumFormat objects which Medium objects refer to) */
1058 if (m->pCloudProviderManager)
1059 {
1060 m->pCloudProviderManager->uninit();
1061 unconst(m->pCloudProviderManager).setNull();
1062 }
1063
1064 if (m->pSystemProperties)
1065 {
1066 m->pSystemProperties->uninit();
1067 unconst(m->pSystemProperties).setNull();
1068 }
1069
1070 if (m->pHost)
1071 {
1072 m->pHost->uninit();
1073 unconst(m->pHost).setNull();
1074 }
1075
1076#ifdef VBOX_WITH_RESOURCE_USAGE_API
1077 if (m->pPerformanceCollector)
1078 {
1079 m->pPerformanceCollector->uninit();
1080 unconst(m->pPerformanceCollector).setNull();
1081 }
1082#endif /* VBOX_WITH_RESOURCE_USAGE_API */
1083
1084 /*
1085 * Unload the cryptographic module if loaded before the extension
1086 * pack manager is torn down.
1087 */
1088 Assert(!m->cRefsCrypto);
1089 if (m->hLdrModCrypto != NIL_RTLDRMOD)
1090 {
1091 m->pCryptoIf = NULL;
1092
1093 int vrc = RTLdrClose(m->hLdrModCrypto);
1094 AssertRC(vrc);
1095 m->hLdrModCrypto = NIL_RTLDRMOD;
1096 }
1097
1098#ifdef VBOX_WITH_EXTPACK
1099 if (m->ptrExtPackManager)
1100 {
1101 m->ptrExtPackManager->uninit();
1102 unconst(m->ptrExtPackManager).setNull();
1103 }
1104#endif
1105
1106 LogFlowThisFunc(("Terminating the async event handler...\n"));
1107 if (m->threadAsyncEvent != NIL_RTTHREAD)
1108 {
1109 /* signal to exit the event loop */
1110 if (RT_SUCCESS(m->pAsyncEventQ->interruptEventQueueProcessing()))
1111 {
1112 /*
1113 * Wait for thread termination (only after we've successfully
1114 * interrupted the event queue processing!)
1115 */
1116 int vrc = RTThreadWait(m->threadAsyncEvent, 60000, NULL);
1117 if (RT_FAILURE(vrc))
1118 Log1WarningFunc(("RTThreadWait(%RTthrd) -> %Rrc\n", m->threadAsyncEvent, vrc));
1119 }
1120 else
1121 {
1122 AssertMsgFailed(("interruptEventQueueProcessing() failed\n"));
1123 RTThreadWait(m->threadAsyncEvent, 0, NULL);
1124 }
1125
1126 unconst(m->threadAsyncEvent) = NIL_RTTHREAD;
1127 unconst(m->pAsyncEventQ) = NULL;
1128 }
1129
1130 LogFlowThisFunc(("Releasing event source...\n"));
1131 if (m->pEventSource)
1132 {
1133 // Must uninit the event source here, because it makes no sense that
1134 // it survives longer than the base object. If someone gets an event
1135 // with such an event source then that's life and it has to be dealt
1136 // with appropriately on the API client side.
1137 m->pEventSource->uninit();
1138 unconst(m->pEventSource).setNull();
1139 }
1140
1141 LogFlowThisFunc(("Terminating the client watcher...\n"));
1142 if (m->pClientWatcher)
1143 {
1144 delete m->pClientWatcher;
1145 unconst(m->pClientWatcher) = NULL;
1146 }
1147
1148 delete m->pAutostartDb;
1149#ifdef VBOX_WITH_MAIN_NLS
1150 if (m->pVBoxTranslator)
1151 m->pVBoxTranslator->release();
1152#endif
1153 // clean up our instance data
1154 delete m;
1155 m = NULL;
1156
1157 /* Unload hard disk plugin backends. */
1158 VDShutdown();
1159
1160 LogFlowThisFuncLeave();
1161 LogFlow(("===========================================================\n"));
1162}
1163
1164// Wrapped IVirtualBox properties
1165/////////////////////////////////////////////////////////////////////////////
1166HRESULT VirtualBox::getVersion(com::Utf8Str &aVersion)
1167{
1168 aVersion = sVersion;
1169 return S_OK;
1170}
1171
1172HRESULT VirtualBox::getVersionNormalized(com::Utf8Str &aVersionNormalized)
1173{
1174 aVersionNormalized = sVersionNormalized;
1175 return S_OK;
1176}
1177
1178HRESULT VirtualBox::getRevision(ULONG *aRevision)
1179{
1180 *aRevision = sRevision;
1181 return S_OK;
1182}
1183
1184HRESULT VirtualBox::getPackageType(com::Utf8Str &aPackageType)
1185{
1186 aPackageType = sPackageType;
1187 return S_OK;
1188}
1189
1190HRESULT VirtualBox::getAPIVersion(com::Utf8Str &aAPIVersion)
1191{
1192 aAPIVersion = sAPIVersion;
1193 return S_OK;
1194}
1195
1196HRESULT VirtualBox::getAPIRevision(LONG64 *aAPIRevision)
1197{
1198 AssertCompile(VBOX_VERSION_MAJOR < 128 && VBOX_VERSION_MAJOR > 0);
1199 AssertCompile((uint64_t)VBOX_VERSION_MINOR < 256);
1200 uint64_t uRevision = ((uint64_t)VBOX_VERSION_MAJOR << 56)
1201 | ((uint64_t)VBOX_VERSION_MINOR << 48)
1202 | ((uint64_t)VBOX_VERSION_BUILD << 40);
1203
1204 /** @todo This needs to be the same in OSE and non-OSE, preferrably
1205 * only changing when actual API changes happens. */
1206 uRevision |= 1;
1207
1208 *aAPIRevision = (LONG64)uRevision;
1209
1210 return S_OK;
1211}
1212
1213HRESULT VirtualBox::getHomeFolder(com::Utf8Str &aHomeFolder)
1214{
1215 /* mHomeDir is const and doesn't need a lock */
1216 aHomeFolder = m->strHomeDir;
1217 return S_OK;
1218}
1219
1220HRESULT VirtualBox::getSettingsFilePath(com::Utf8Str &aSettingsFilePath)
1221{
1222 /* mCfgFile.mName is const and doesn't need a lock */
1223 aSettingsFilePath = m->strSettingsFilePath;
1224 return S_OK;
1225}
1226
1227HRESULT VirtualBox::getHost(ComPtr<IHost> &aHost)
1228{
1229 /* mHost is const, no need to lock */
1230 m->pHost.queryInterfaceTo(aHost.asOutParam());
1231 return S_OK;
1232}
1233
1234HRESULT VirtualBox::getSystemProperties(ComPtr<ISystemProperties> &aSystemProperties)
1235{
1236 /* mSystemProperties is const, no need to lock */
1237 m->pSystemProperties.queryInterfaceTo(aSystemProperties.asOutParam());
1238 return S_OK;
1239}
1240
1241HRESULT VirtualBox::getMachines(std::vector<ComPtr<IMachine> > &aMachines)
1242{
1243 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1244 aMachines.resize(m->allMachines.size());
1245 size_t i = 0;
1246 for (MachinesOList::const_iterator it= m->allMachines.begin();
1247 it!= m->allMachines.end(); ++it, ++i)
1248 (*it).queryInterfaceTo(aMachines[i].asOutParam());
1249 return S_OK;
1250}
1251
1252HRESULT VirtualBox::getMachineGroups(std::vector<com::Utf8Str> &aMachineGroups)
1253{
1254 std::list<com::Utf8Str> allGroups;
1255
1256 /* get copy of all machine references, to avoid holding the list lock */
1257 MachinesOList::MyList allMachines;
1258 {
1259 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1260 allMachines = m->allMachines.getList();
1261 }
1262 for (MachinesOList::MyList::const_iterator it = allMachines.begin();
1263 it != allMachines.end();
1264 ++it)
1265 {
1266 const ComObjPtr<Machine> &pMachine = *it;
1267 AutoCaller autoMachineCaller(pMachine);
1268 if (FAILED(autoMachineCaller.rc()))
1269 continue;
1270 AutoReadLock mlock(pMachine COMMA_LOCKVAL_SRC_POS);
1271
1272 if (pMachine->i_isAccessible())
1273 {
1274 const StringsList &thisGroups = pMachine->i_getGroups();
1275 for (StringsList::const_iterator it2 = thisGroups.begin();
1276 it2 != thisGroups.end(); ++it2)
1277 allGroups.push_back(*it2);
1278 }
1279 }
1280
1281 /* throw out any duplicates */
1282 allGroups.sort();
1283 allGroups.unique();
1284 aMachineGroups.resize(allGroups.size());
1285 size_t i = 0;
1286 for (std::list<com::Utf8Str>::const_iterator it = allGroups.begin();
1287 it != allGroups.end(); ++it, ++i)
1288 aMachineGroups[i] = (*it);
1289 return S_OK;
1290}
1291
1292HRESULT VirtualBox::getHardDisks(std::vector<ComPtr<IMedium> > &aHardDisks)
1293{
1294 AutoReadLock al(m->allHardDisks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1295 aHardDisks.resize(m->allHardDisks.size());
1296 size_t i = 0;
1297 for (MediaOList::const_iterator it = m->allHardDisks.begin();
1298 it != m->allHardDisks.end(); ++it, ++i)
1299 (*it).queryInterfaceTo(aHardDisks[i].asOutParam());
1300 return S_OK;
1301}
1302
1303HRESULT VirtualBox::getDVDImages(std::vector<ComPtr<IMedium> > &aDVDImages)
1304{
1305 AutoReadLock al(m->allDVDImages.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1306 aDVDImages.resize(m->allDVDImages.size());
1307 size_t i = 0;
1308 for (MediaOList::const_iterator it = m->allDVDImages.begin();
1309 it!= m->allDVDImages.end(); ++it, ++i)
1310 (*it).queryInterfaceTo(aDVDImages[i].asOutParam());
1311 return S_OK;
1312}
1313
1314HRESULT VirtualBox::getFloppyImages(std::vector<ComPtr<IMedium> > &aFloppyImages)
1315{
1316 AutoReadLock al(m->allFloppyImages.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1317 aFloppyImages.resize(m->allFloppyImages.size());
1318 size_t i = 0;
1319 for (MediaOList::const_iterator it = m->allFloppyImages.begin();
1320 it != m->allFloppyImages.end(); ++it, ++i)
1321 (*it).queryInterfaceTo(aFloppyImages[i].asOutParam());
1322 return S_OK;
1323}
1324
1325HRESULT VirtualBox::getProgressOperations(std::vector<ComPtr<IProgress> > &aProgressOperations)
1326{
1327 /* protect mProgressOperations */
1328 AutoReadLock safeLock(m->mtxProgressOperations COMMA_LOCKVAL_SRC_POS);
1329 ProgressMap pmap(m->mapProgressOperations);
1330 /* Can release lock now. The following code works on a copy of the map. */
1331 safeLock.release();
1332 aProgressOperations.resize(pmap.size());
1333 size_t i = 0;
1334 for (ProgressMap::iterator it = pmap.begin(); it != pmap.end(); ++it, ++i)
1335 it->second.queryInterfaceTo(aProgressOperations[i].asOutParam());
1336 return S_OK;
1337}
1338
1339HRESULT VirtualBox::getGuestOSTypes(std::vector<ComPtr<IGuestOSType> > &aGuestOSTypes)
1340{
1341 AutoReadLock al(m->allGuestOSTypes.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1342 aGuestOSTypes.resize(m->allGuestOSTypes.size());
1343 size_t i = 0;
1344 for (GuestOSTypesOList::const_iterator it = m->allGuestOSTypes.begin();
1345 it != m->allGuestOSTypes.end(); ++it, ++i)
1346 (*it).queryInterfaceTo(aGuestOSTypes[i].asOutParam());
1347 return S_OK;
1348}
1349
1350HRESULT VirtualBox::getSharedFolders(std::vector<ComPtr<ISharedFolder> > &aSharedFolders)
1351{
1352 NOREF(aSharedFolders);
1353
1354 return setError(E_NOTIMPL, tr("Not yet implemented"));
1355}
1356
1357HRESULT VirtualBox::getPerformanceCollector(ComPtr<IPerformanceCollector> &aPerformanceCollector)
1358{
1359#ifdef VBOX_WITH_RESOURCE_USAGE_API
1360 /* mPerformanceCollector is const, no need to lock */
1361 m->pPerformanceCollector.queryInterfaceTo(aPerformanceCollector.asOutParam());
1362
1363 return S_OK;
1364#else /* !VBOX_WITH_RESOURCE_USAGE_API */
1365 NOREF(aPerformanceCollector);
1366 ReturnComNotImplemented();
1367#endif /* !VBOX_WITH_RESOURCE_USAGE_API */
1368}
1369
1370HRESULT VirtualBox::getDHCPServers(std::vector<ComPtr<IDHCPServer> > &aDHCPServers)
1371{
1372 AutoReadLock al(m->allDHCPServers.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1373 aDHCPServers.resize(m->allDHCPServers.size());
1374 size_t i = 0;
1375 for (DHCPServersOList::const_iterator it= m->allDHCPServers.begin();
1376 it!= m->allDHCPServers.end(); ++it, ++i)
1377 (*it).queryInterfaceTo(aDHCPServers[i].asOutParam());
1378 return S_OK;
1379}
1380
1381
1382HRESULT VirtualBox::getNATNetworks(std::vector<ComPtr<INATNetwork> > &aNATNetworks)
1383{
1384#ifdef VBOX_WITH_NAT_SERVICE
1385 AutoReadLock al(m->allNATNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1386 aNATNetworks.resize(m->allNATNetworks.size());
1387 size_t i = 0;
1388 for (NATNetworksOList::const_iterator it= m->allNATNetworks.begin();
1389 it!= m->allNATNetworks.end(); ++it, ++i)
1390 (*it).queryInterfaceTo(aNATNetworks[i].asOutParam());
1391 return S_OK;
1392#else
1393 NOREF(aNATNetworks);
1394 return E_NOTIMPL;
1395#endif
1396}
1397
1398HRESULT VirtualBox::getEventSource(ComPtr<IEventSource> &aEventSource)
1399{
1400 /* event source is const, no need to lock */
1401 m->pEventSource.queryInterfaceTo(aEventSource.asOutParam());
1402 return S_OK;
1403}
1404
1405HRESULT VirtualBox::getExtensionPackManager(ComPtr<IExtPackManager> &aExtensionPackManager)
1406{
1407 HRESULT hrc = S_OK;
1408#ifdef VBOX_WITH_EXTPACK
1409 /* The extension pack manager is const, no need to lock. */
1410 hrc = m->ptrExtPackManager.queryInterfaceTo(aExtensionPackManager.asOutParam());
1411#else
1412 hrc = E_NOTIMPL;
1413 NOREF(aExtensionPackManager);
1414#endif
1415 return hrc;
1416}
1417
1418/**
1419 * Host Only Network
1420 */
1421HRESULT VirtualBox::createHostOnlyNetwork(const com::Utf8Str &aNetworkName,
1422 ComPtr<IHostOnlyNetwork> &aNetwork)
1423{
1424#ifdef VBOX_WITH_VMNET
1425 ComObjPtr<HostOnlyNetwork> HostOnlyNetwork;
1426 HostOnlyNetwork.createObject();
1427 HRESULT rc = HostOnlyNetwork->init(this, aNetworkName);
1428 if (FAILED(rc)) return rc;
1429
1430 m->allHostOnlyNetworks.addChild(HostOnlyNetwork);
1431
1432 {
1433 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
1434 rc = i_saveSettings();
1435 vboxLock.release();
1436
1437 if (FAILED(rc))
1438 m->allHostOnlyNetworks.removeChild(HostOnlyNetwork);
1439 else
1440 HostOnlyNetwork.queryInterfaceTo(aNetwork.asOutParam());
1441 }
1442
1443 return rc;
1444#else /* !VBOX_WITH_VMNET */
1445 NOREF(aNetworkName);
1446 NOREF(aNetwork);
1447 return E_NOTIMPL;
1448#endif /* !VBOX_WITH_VMNET */
1449}
1450
1451HRESULT VirtualBox::findHostOnlyNetworkByName(const com::Utf8Str &aNetworkName,
1452 ComPtr<IHostOnlyNetwork> &aNetwork)
1453{
1454#ifdef VBOX_WITH_VMNET
1455 Bstr bstrNameToFind(aNetworkName);
1456
1457 AutoReadLock alock(m->allHostOnlyNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1458
1459 for (HostOnlyNetworksOList::const_iterator it = m->allHostOnlyNetworks.begin();
1460 it != m->allHostOnlyNetworks.end();
1461 ++it)
1462 {
1463 Bstr bstrHostOnlyNetworkName;
1464 HRESULT hrc = (*it)->COMGETTER(NetworkName)(bstrHostOnlyNetworkName.asOutParam());
1465 if (FAILED(hrc)) return hrc;
1466
1467 if (bstrHostOnlyNetworkName == bstrNameToFind)
1468 {
1469 it->queryInterfaceTo(aNetwork.asOutParam());
1470 return S_OK;
1471 }
1472 }
1473 return VBOX_E_OBJECT_NOT_FOUND;
1474#else /* !VBOX_WITH_VMNET */
1475 NOREF(aNetworkName);
1476 NOREF(aNetwork);
1477 return E_NOTIMPL;
1478#endif /* !VBOX_WITH_VMNET */
1479}
1480
1481HRESULT VirtualBox::findHostOnlyNetworkById(const com::Guid &aId,
1482 ComPtr<IHostOnlyNetwork> &aNetwork)
1483{
1484#ifdef VBOX_WITH_VMNET
1485 ComObjPtr<HostOnlyNetwork> network;
1486 AutoReadLock alock(m->allHostOnlyNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1487
1488 for (HostOnlyNetworksOList::const_iterator it = m->allHostOnlyNetworks.begin();
1489 it != m->allHostOnlyNetworks.end();
1490 ++it)
1491 {
1492 Bstr bstrHostOnlyNetworkId;
1493 HRESULT hrc = (*it)->COMGETTER(Id)(bstrHostOnlyNetworkId.asOutParam());
1494 if (FAILED(hrc)) return hrc;
1495
1496 if (Guid(bstrHostOnlyNetworkId) == aId)
1497 {
1498 it->queryInterfaceTo(aNetwork.asOutParam());;
1499 return S_OK;
1500 }
1501 }
1502 return VBOX_E_OBJECT_NOT_FOUND;
1503#else /* !VBOX_WITH_VMNET */
1504 NOREF(aId);
1505 NOREF(aNetwork);
1506 return E_NOTIMPL;
1507#endif /* !VBOX_WITH_VMNET */
1508}
1509
1510HRESULT VirtualBox::removeHostOnlyNetwork(const ComPtr<IHostOnlyNetwork> &aNetwork)
1511{
1512#ifdef VBOX_WITH_VMNET
1513 Bstr name;
1514 HRESULT rc = aNetwork->COMGETTER(NetworkName)(name.asOutParam());
1515 if (FAILED(rc))
1516 return rc;
1517 IHostOnlyNetwork *p = aNetwork;
1518 HostOnlyNetwork *network = static_cast<HostOnlyNetwork *>(p);
1519
1520 AutoCaller autoCaller(this);
1521 AssertComRCReturnRC(autoCaller.rc());
1522
1523 AutoCaller HostOnlyNetworkCaller(network);
1524 AssertComRCReturnRC(HostOnlyNetworkCaller.rc());
1525
1526 m->allHostOnlyNetworks.removeChild(network);
1527
1528 {
1529 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
1530 rc = i_saveSettings();
1531 vboxLock.release();
1532
1533 if (FAILED(rc))
1534 m->allHostOnlyNetworks.addChild(network);
1535 }
1536 return rc;
1537#else /* !VBOX_WITH_VMNET */
1538 NOREF(aNetwork);
1539 return E_NOTIMPL;
1540#endif /* !VBOX_WITH_VMNET */
1541}
1542
1543HRESULT VirtualBox::getHostOnlyNetworks(std::vector<ComPtr<IHostOnlyNetwork> > &aHostOnlyNetworks)
1544{
1545#ifdef VBOX_WITH_VMNET
1546 AutoReadLock al(m->allHostOnlyNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1547 aHostOnlyNetworks.resize(m->allHostOnlyNetworks.size());
1548 size_t i = 0;
1549 for (HostOnlyNetworksOList::const_iterator it = m->allHostOnlyNetworks.begin();
1550 it != m->allHostOnlyNetworks.end(); ++it)
1551 (*it).queryInterfaceTo(aHostOnlyNetworks[i++].asOutParam());
1552 return S_OK;
1553#else /* !VBOX_WITH_VMNET */
1554 NOREF(aHostOnlyNetworks);
1555 return E_NOTIMPL;
1556#endif /* !VBOX_WITH_VMNET */
1557}
1558
1559
1560HRESULT VirtualBox::getInternalNetworks(std::vector<com::Utf8Str> &aInternalNetworks)
1561{
1562 std::list<com::Utf8Str> allInternalNetworks;
1563
1564 /* get copy of all machine references, to avoid holding the list lock */
1565 MachinesOList::MyList allMachines;
1566 {
1567 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1568 allMachines = m->allMachines.getList();
1569 }
1570 for (MachinesOList::MyList::const_iterator it = allMachines.begin();
1571 it != allMachines.end(); ++it)
1572 {
1573 const ComObjPtr<Machine> &pMachine = *it;
1574 AutoCaller autoMachineCaller(pMachine);
1575 if (FAILED(autoMachineCaller.rc()))
1576 continue;
1577 AutoReadLock mlock(pMachine COMMA_LOCKVAL_SRC_POS);
1578
1579 if (pMachine->i_isAccessible())
1580 {
1581 uint32_t cNetworkAdapters = Global::getMaxNetworkAdapters(pMachine->i_getChipsetType());
1582 for (ULONG i = 0; i < cNetworkAdapters; i++)
1583 {
1584 ComPtr<INetworkAdapter> pNet;
1585 HRESULT rc = pMachine->GetNetworkAdapter(i, pNet.asOutParam());
1586 if (FAILED(rc) || pNet.isNull())
1587 continue;
1588 Bstr strInternalNetwork;
1589 rc = pNet->COMGETTER(InternalNetwork)(strInternalNetwork.asOutParam());
1590 if (FAILED(rc) || strInternalNetwork.isEmpty())
1591 continue;
1592
1593 allInternalNetworks.push_back(Utf8Str(strInternalNetwork));
1594 }
1595 }
1596 }
1597
1598 /* throw out any duplicates */
1599 allInternalNetworks.sort();
1600 allInternalNetworks.unique();
1601 size_t i = 0;
1602 aInternalNetworks.resize(allInternalNetworks.size());
1603 for (std::list<com::Utf8Str>::const_iterator it = allInternalNetworks.begin();
1604 it != allInternalNetworks.end();
1605 ++it, ++i)
1606 aInternalNetworks[i] = *it;
1607 return S_OK;
1608}
1609
1610HRESULT VirtualBox::getGenericNetworkDrivers(std::vector<com::Utf8Str> &aGenericNetworkDrivers)
1611{
1612 std::list<com::Utf8Str> allGenericNetworkDrivers;
1613
1614 /* get copy of all machine references, to avoid holding the list lock */
1615 MachinesOList::MyList allMachines;
1616 {
1617 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1618 allMachines = m->allMachines.getList();
1619 }
1620 for (MachinesOList::MyList::const_iterator it = allMachines.begin();
1621 it != allMachines.end();
1622 ++it)
1623 {
1624 const ComObjPtr<Machine> &pMachine = *it;
1625 AutoCaller autoMachineCaller(pMachine);
1626 if (FAILED(autoMachineCaller.rc()))
1627 continue;
1628 AutoReadLock mlock(pMachine COMMA_LOCKVAL_SRC_POS);
1629
1630 if (pMachine->i_isAccessible())
1631 {
1632 uint32_t cNetworkAdapters = Global::getMaxNetworkAdapters(pMachine->i_getChipsetType());
1633 for (ULONG i = 0; i < cNetworkAdapters; i++)
1634 {
1635 ComPtr<INetworkAdapter> pNet;
1636 HRESULT rc = pMachine->GetNetworkAdapter(i, pNet.asOutParam());
1637 if (FAILED(rc) || pNet.isNull())
1638 continue;
1639 Bstr strGenericNetworkDriver;
1640 rc = pNet->COMGETTER(GenericDriver)(strGenericNetworkDriver.asOutParam());
1641 if (FAILED(rc) || strGenericNetworkDriver.isEmpty())
1642 continue;
1643
1644 allGenericNetworkDrivers.push_back(Utf8Str(strGenericNetworkDriver).c_str());
1645 }
1646 }
1647 }
1648
1649 /* throw out any duplicates */
1650 allGenericNetworkDrivers.sort();
1651 allGenericNetworkDrivers.unique();
1652 aGenericNetworkDrivers.resize(allGenericNetworkDrivers.size());
1653 size_t i = 0;
1654 for (std::list<com::Utf8Str>::const_iterator it = allGenericNetworkDrivers.begin();
1655 it != allGenericNetworkDrivers.end(); ++it, ++i)
1656 aGenericNetworkDrivers[i] = *it;
1657
1658 return S_OK;
1659}
1660
1661/**
1662 * Cloud Network
1663 */
1664#ifdef VBOX_WITH_CLOUD_NET
1665HRESULT VirtualBox::i_findCloudNetworkByName(const com::Utf8Str &aNetworkName,
1666 ComObjPtr<CloudNetwork> *aNetwork)
1667{
1668 HRESULT rc = VBOX_E_OBJECT_NOT_FOUND;
1669 ComPtr<CloudNetwork> found;
1670 Bstr bstrNameToFind(aNetworkName);
1671
1672 AutoReadLock alock(m->allCloudNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1673
1674 for (CloudNetworksOList::const_iterator it = m->allCloudNetworks.begin();
1675 it != m->allCloudNetworks.end();
1676 ++it)
1677 {
1678 Bstr bstrCloudNetworkName;
1679 HRESULT hrc = (*it)->COMGETTER(NetworkName)(bstrCloudNetworkName.asOutParam());
1680 if (FAILED(hrc)) return hrc;
1681
1682 if (bstrCloudNetworkName == bstrNameToFind)
1683 {
1684 *aNetwork = *it;
1685 rc = S_OK;
1686 break;
1687 }
1688 }
1689 return rc;
1690}
1691#endif /* VBOX_WITH_CLOUD_NET */
1692
1693HRESULT VirtualBox::createCloudNetwork(const com::Utf8Str &aNetworkName,
1694 ComPtr<ICloudNetwork> &aNetwork)
1695{
1696#ifdef VBOX_WITH_CLOUD_NET
1697 ComObjPtr<CloudNetwork> cloudNetwork;
1698 cloudNetwork.createObject();
1699 HRESULT rc = cloudNetwork->init(this, aNetworkName);
1700 if (FAILED(rc)) return rc;
1701
1702 m->allCloudNetworks.addChild(cloudNetwork);
1703
1704 {
1705 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
1706 rc = i_saveSettings();
1707 vboxLock.release();
1708
1709 if (FAILED(rc))
1710 m->allCloudNetworks.removeChild(cloudNetwork);
1711 else
1712 cloudNetwork.queryInterfaceTo(aNetwork.asOutParam());
1713 }
1714
1715 return rc;
1716#else /* !VBOX_WITH_CLOUD_NET */
1717 NOREF(aNetworkName);
1718 NOREF(aNetwork);
1719 return E_NOTIMPL;
1720#endif /* !VBOX_WITH_CLOUD_NET */
1721}
1722
1723HRESULT VirtualBox::findCloudNetworkByName(const com::Utf8Str &aNetworkName,
1724 ComPtr<ICloudNetwork> &aNetwork)
1725{
1726#ifdef VBOX_WITH_CLOUD_NET
1727 ComObjPtr<CloudNetwork> network;
1728 HRESULT hrc = i_findCloudNetworkByName(aNetworkName, &network);
1729 if (SUCCEEDED(hrc))
1730 network.queryInterfaceTo(aNetwork.asOutParam());
1731 return hrc;
1732#else /* !VBOX_WITH_CLOUD_NET */
1733 NOREF(aNetworkName);
1734 NOREF(aNetwork);
1735 return E_NOTIMPL;
1736#endif /* !VBOX_WITH_CLOUD_NET */
1737}
1738
1739HRESULT VirtualBox::removeCloudNetwork(const ComPtr<ICloudNetwork> &aNetwork)
1740{
1741#ifdef VBOX_WITH_CLOUD_NET
1742 Bstr name;
1743 HRESULT rc = aNetwork->COMGETTER(NetworkName)(name.asOutParam());
1744 if (FAILED(rc))
1745 return rc;
1746 ICloudNetwork *p = aNetwork;
1747 CloudNetwork *network = static_cast<CloudNetwork *>(p);
1748
1749 AutoCaller autoCaller(this);
1750 AssertComRCReturnRC(autoCaller.rc());
1751
1752 AutoCaller cloudNetworkCaller(network);
1753 AssertComRCReturnRC(cloudNetworkCaller.rc());
1754
1755 m->allCloudNetworks.removeChild(network);
1756
1757 {
1758 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
1759 rc = i_saveSettings();
1760 vboxLock.release();
1761
1762 if (FAILED(rc))
1763 m->allCloudNetworks.addChild(network);
1764 }
1765 return rc;
1766#else /* !VBOX_WITH_CLOUD_NET */
1767 NOREF(aNetwork);
1768 return E_NOTIMPL;
1769#endif /* !VBOX_WITH_CLOUD_NET */
1770}
1771
1772HRESULT VirtualBox::getCloudNetworks(std::vector<ComPtr<ICloudNetwork> > &aCloudNetworks)
1773{
1774#ifdef VBOX_WITH_CLOUD_NET
1775 AutoReadLock al(m->allCloudNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
1776 aCloudNetworks.resize(m->allCloudNetworks.size());
1777 size_t i = 0;
1778 for (CloudNetworksOList::const_iterator it = m->allCloudNetworks.begin();
1779 it != m->allCloudNetworks.end(); ++it)
1780 (*it).queryInterfaceTo(aCloudNetworks[i++].asOutParam());
1781 return S_OK;
1782#else /* !VBOX_WITH_CLOUD_NET */
1783 NOREF(aCloudNetworks);
1784 return E_NOTIMPL;
1785#endif /* !VBOX_WITH_CLOUD_NET */
1786}
1787
1788#ifdef VBOX_WITH_CLOUD_NET
1789HRESULT VirtualBox::i_getEventSource(ComPtr<IEventSource>& aSource)
1790{
1791 m->pEventSource.queryInterfaceTo(aSource.asOutParam());
1792 return S_OK;
1793}
1794#endif /* VBOX_WITH_CLOUD_NET */
1795
1796HRESULT VirtualBox::getCloudProviderManager(ComPtr<ICloudProviderManager> &aCloudProviderManager)
1797{
1798 HRESULT hrc = m->pCloudProviderManager.queryInterfaceTo(aCloudProviderManager.asOutParam());
1799 return hrc;
1800}
1801
1802HRESULT VirtualBox::checkFirmwarePresent(FirmwareType_T aFirmwareType,
1803 const com::Utf8Str &aVersion,
1804 com::Utf8Str &aUrl,
1805 com::Utf8Str &aFile,
1806 BOOL *aResult)
1807{
1808 NOREF(aVersion);
1809
1810 static const struct
1811 {
1812 FirmwareType_T enmType;
1813 bool fBuiltIn;
1814 const char *pszFileName;
1815 const char *pszUrl;
1816 }
1817 firmwareDesc[] =
1818 {
1819 { FirmwareType_BIOS, true, NULL, NULL },
1820#ifdef VBOX_WITH_EFI_IN_DD2
1821 { FirmwareType_EFI32, true, "VBoxEFI32.fd", NULL },
1822 { FirmwareType_EFI64, true, "VBoxEFI64.fd", NULL },
1823 { FirmwareType_EFIDUAL, true, "VBoxEFIDual.fd", NULL },
1824#else
1825 { FirmwareType_EFI32, false, "VBoxEFI32.fd", "http://virtualbox.org/firmware/VBoxEFI32.fd" },
1826 { FirmwareType_EFI64, false, "VBoxEFI64.fd", "http://virtualbox.org/firmware/VBoxEFI64.fd" },
1827 { FirmwareType_EFIDUAL, false, "VBoxEFIDual.fd", "http://virtualbox.org/firmware/VBoxEFIDual.fd" },
1828#endif
1829 };
1830
1831 for (size_t i = 0; i < sizeof(firmwareDesc) / sizeof(firmwareDesc[0]); i++)
1832 {
1833 if (aFirmwareType != firmwareDesc[i].enmType)
1834 continue;
1835
1836 /* compiled-in firmware */
1837 if (firmwareDesc[i].fBuiltIn)
1838 {
1839 aFile = firmwareDesc[i].pszFileName;
1840 *aResult = TRUE;
1841 break;
1842 }
1843
1844 Utf8Str fullName;
1845 Utf8StrFmt shortName("Firmware%c%s", RTPATH_DELIMITER, firmwareDesc[i].pszFileName);
1846 int rc = i_calculateFullPath(shortName, fullName);
1847 AssertRCReturn(rc, VBOX_E_IPRT_ERROR);
1848 if (RTFileExists(fullName.c_str()))
1849 {
1850 *aResult = TRUE;
1851 aFile = fullName;
1852 break;
1853 }
1854
1855 char szVBoxPath[RTPATH_MAX];
1856 rc = RTPathExecDir(szVBoxPath, RTPATH_MAX);
1857 AssertRCReturn(rc, VBOX_E_IPRT_ERROR);
1858 rc = RTPathAppend(szVBoxPath, sizeof(szVBoxPath), firmwareDesc[i].pszFileName);
1859 if (RTFileExists(szVBoxPath))
1860 {
1861 *aResult = TRUE;
1862 aFile = szVBoxPath;
1863 break;
1864 }
1865
1866 /** @todo account for version in the URL */
1867 aUrl = firmwareDesc[i].pszUrl;
1868 *aResult = FALSE;
1869
1870 /* Assume single record per firmware type */
1871 break;
1872 }
1873
1874 return S_OK;
1875}
1876// Wrapped IVirtualBox methods
1877/////////////////////////////////////////////////////////////////////////////
1878
1879/* Helper for VirtualBox::ComposeMachineFilename */
1880static void sanitiseMachineFilename(Utf8Str &aName);
1881
1882HRESULT VirtualBox::composeMachineFilename(const com::Utf8Str &aName,
1883 const com::Utf8Str &aGroup,
1884 const com::Utf8Str &aCreateFlags,
1885 const com::Utf8Str &aBaseFolder,
1886 com::Utf8Str &aFile)
1887{
1888 if (RT_UNLIKELY(aName.isEmpty()))
1889 return setError(E_INVALIDARG, tr("Machine name is invalid, must not be empty"));
1890
1891 Utf8Str strBase = aBaseFolder;
1892 Utf8Str strName = aName;
1893
1894 LogFlowThisFunc(("aName=\"%s\",aBaseFolder=\"%s\"\n", strName.c_str(), strBase.c_str()));
1895
1896 com::Guid id;
1897 bool fDirectoryIncludesUUID = false;
1898 if (!aCreateFlags.isEmpty())
1899 {
1900 size_t uPos = 0;
1901 com::Utf8Str strKey;
1902 com::Utf8Str strValue;
1903 while ((uPos = aCreateFlags.parseKeyValue(strKey, strValue, uPos)) != com::Utf8Str::npos)
1904 {
1905 if (strKey == "UUID")
1906 id = strValue.c_str();
1907 else if (strKey == "directoryIncludesUUID")
1908 fDirectoryIncludesUUID = (strValue == "1");
1909 }
1910 }
1911
1912 if (id.isZero())
1913 fDirectoryIncludesUUID = false;
1914 else if (!id.isValid())
1915 {
1916 /* do something else */
1917 return setError(E_INVALIDARG,
1918 tr("'%s' is not a valid Guid"),
1919 id.toStringCurly().c_str());
1920 }
1921
1922 Utf8Str strGroup(aGroup);
1923 if (strGroup.isEmpty())
1924 strGroup = "/";
1925 HRESULT rc = i_validateMachineGroup(strGroup, true);
1926 if (FAILED(rc))
1927 return rc;
1928
1929 /* Compose the settings file name using the following scheme:
1930 *
1931 * <base_folder><group>/<machine_name>/<machine_name>.xml
1932 *
1933 * If a non-null and non-empty base folder is specified, the default
1934 * machine folder will be used as a base folder.
1935 * We sanitise the machine name to a safe white list of characters before
1936 * using it.
1937 */
1938 Utf8Str strDirName(strName);
1939 if (fDirectoryIncludesUUID)
1940 strDirName += Utf8StrFmt(" (%RTuuid)", id.raw());
1941 sanitiseMachineFilename(strName);
1942 sanitiseMachineFilename(strDirName);
1943
1944 if (strBase.isEmpty())
1945 /* we use the non-full folder value below to keep the path relative */
1946 i_getDefaultMachineFolder(strBase);
1947
1948 i_calculateFullPath(strBase, strBase);
1949
1950 /* eliminate toplevel group to avoid // in the result */
1951 if (strGroup == "/")
1952 strGroup.setNull();
1953 aFile = com::Utf8StrFmt("%s%s%c%s%c%s.vbox",
1954 strBase.c_str(),
1955 strGroup.c_str(),
1956 RTPATH_DELIMITER,
1957 strDirName.c_str(),
1958 RTPATH_DELIMITER,
1959 strName.c_str());
1960 return S_OK;
1961}
1962
1963/**
1964 * Remove characters from a machine file name which can be problematic on
1965 * particular systems.
1966 * @param strName The file name to sanitise.
1967 */
1968void sanitiseMachineFilename(Utf8Str &strName)
1969{
1970 if (strName.isEmpty())
1971 return;
1972
1973 /* Set of characters which should be safe for use in filenames: some basic
1974 * ASCII, Unicode from Latin-1 alphabetic to the end of Hangul. We try to
1975 * skip anything that could count as a control character in Windows or
1976 * *nix, or be otherwise difficult for shells to handle (I would have
1977 * preferred to remove the space and brackets too). We also remove all
1978 * characters which need UTF-16 surrogate pairs for Windows's benefit.
1979 */
1980 static RTUNICP const s_uszValidRangePairs[] =
1981 {
1982 ' ', ' ',
1983 '(', ')',
1984 '-', '.',
1985 '0', '9',
1986 'A', 'Z',
1987 'a', 'z',
1988 '_', '_',
1989 0xa0, 0xd7af,
1990 '\0'
1991 };
1992
1993 char *pszName = strName.mutableRaw();
1994 ssize_t cReplacements = RTStrPurgeComplementSet(pszName, s_uszValidRangePairs, '_');
1995 Assert(cReplacements >= 0);
1996 NOREF(cReplacements);
1997
1998 /* No leading dot or dash. */
1999 if (pszName[0] == '.' || pszName[0] == '-')
2000 pszName[0] = '_';
2001
2002 /* No trailing dot. */
2003 if (pszName[strName.length() - 1] == '.')
2004 pszName[strName.length() - 1] = '_';
2005
2006 /* Mangle leading and trailing spaces. */
2007 for (size_t i = 0; pszName[i] == ' '; ++i)
2008 pszName[i] = '_';
2009 for (size_t i = strName.length() - 1; i && pszName[i] == ' '; --i)
2010 pszName[i] = '_';
2011}
2012
2013#ifdef DEBUG
2014typedef DECLCALLBACKTYPE(void, FNTESTPRINTF,(const char *, ...));
2015/** Simple unit test/operation examples for sanitiseMachineFilename(). */
2016static unsigned testSanitiseMachineFilename(FNTESTPRINTF *pfnPrintf)
2017{
2018 unsigned cErrors = 0;
2019
2020 /** Expected results of sanitising given file names. */
2021 static struct
2022 {
2023 /** The test file name to be sanitised (Utf-8). */
2024 const char *pcszIn;
2025 /** The expected sanitised output (Utf-8). */
2026 const char *pcszOutExpected;
2027 } aTest[] =
2028 {
2029 { "OS/2 2.1", "OS_2 2.1" },
2030 { "-!My VM!-", "__My VM_-" },
2031 { "\xF0\x90\x8C\xB0", "____" },
2032 { " My VM ", "__My VM__" },
2033 { ".My VM.", "_My VM_" },
2034 { "My VM", "My VM" }
2035 };
2036 for (unsigned i = 0; i < RT_ELEMENTS(aTest); ++i)
2037 {
2038 Utf8Str str(aTest[i].pcszIn);
2039 sanitiseMachineFilename(str);
2040 if (str.compare(aTest[i].pcszOutExpected))
2041 {
2042 ++cErrors;
2043 pfnPrintf("%s: line %d, expected %s, actual %s\n",
2044 __PRETTY_FUNCTION__, i, aTest[i].pcszOutExpected,
2045 str.c_str());
2046 }
2047 }
2048 return cErrors;
2049}
2050
2051/** @todo Proper testcase. */
2052/** @todo Do we have a better method of doing init functions? */
2053namespace
2054{
2055 class TestSanitiseMachineFilename
2056 {
2057 public:
2058 TestSanitiseMachineFilename(void)
2059 {
2060 Assert(!testSanitiseMachineFilename(RTAssertMsg2));
2061 }
2062 };
2063 TestSanitiseMachineFilename s_TestSanitiseMachineFilename;
2064}
2065#endif
2066
2067/** @note Locks mSystemProperties object for reading. */
2068HRESULT VirtualBox::createMachine(const com::Utf8Str &aSettingsFile,
2069 const com::Utf8Str &aName,
2070 const std::vector<com::Utf8Str> &aGroups,
2071 const com::Utf8Str &aOsTypeId,
2072 const com::Utf8Str &aFlags,
2073 const com::Utf8Str &aCipher,
2074 const com::Utf8Str &aPasswordId,
2075 const com::Utf8Str &aPassword,
2076 ComPtr<IMachine> &aMachine)
2077{
2078 LogFlowThisFuncEnter();
2079 LogFlowThisFunc(("aSettingsFile=\"%s\", aName=\"%s\", aOsTypeId =\"%s\", aCreateFlags=\"%s\"\n",
2080 aSettingsFile.c_str(), aName.c_str(), aOsTypeId.c_str(), aFlags.c_str()));
2081
2082 StringsList llGroups;
2083 HRESULT rc = i_convertMachineGroups(aGroups, &llGroups);
2084 if (FAILED(rc))
2085 return rc;
2086
2087 /** @todo r=bird: Would be goot to rewrite this parsing using offset into
2088 * aFlags and drop all the C pointers, strchr, misguided RTStrStr and
2089 * tedious copying of substrings. */
2090 Utf8Str strCreateFlags(aFlags); /** @todo r=bird: WTF is the point of this copy? */
2091 Guid id;
2092 bool fForceOverwrite = false;
2093 bool fDirectoryIncludesUUID = false;
2094 if (!strCreateFlags.isEmpty())
2095 {
2096 const char *pcszNext = strCreateFlags.c_str();
2097 while (*pcszNext != '\0')
2098 {
2099 Utf8Str strFlag;
2100 const char *pcszComma = strchr(pcszNext, ','); /*clueless version: RTStrStr(pcszNext, ","); */
2101 if (!pcszComma)
2102 strFlag = pcszNext;
2103 else
2104 strFlag.assign(pcszNext, (size_t)(pcszComma - pcszNext));
2105
2106 const char *pcszEqual = strchr(strFlag.c_str(), '='); /* more cluelessness: RTStrStr(strFlag.c_str(), "="); */
2107 /* skip over everything which doesn't contain '=' */
2108 if (pcszEqual && pcszEqual != strFlag.c_str())
2109 {
2110 Utf8Str strKey(strFlag.c_str(), (size_t)(pcszEqual - strFlag.c_str()));
2111 Utf8Str strValue(strFlag.c_str() + (pcszEqual - strFlag.c_str() + 1));
2112
2113 if (strKey == "UUID")
2114 id = strValue.c_str();
2115 else if (strKey == "forceOverwrite")
2116 fForceOverwrite = (strValue == "1");
2117 else if (strKey == "directoryIncludesUUID")
2118 fDirectoryIncludesUUID = (strValue == "1");
2119 }
2120
2121 if (!pcszComma)
2122 pcszNext += strFlag.length(); /* you can just 'break' out here... */
2123 else
2124 pcszNext += strFlag.length() + 1;
2125 }
2126 }
2127
2128 /* Create UUID if none was specified. */
2129 if (id.isZero())
2130 id.create();
2131 else if (!id.isValid())
2132 {
2133 /* do something else */
2134 return setError(E_INVALIDARG,
2135 tr("'%s' is not a valid Guid"),
2136 id.toStringCurly().c_str());
2137 }
2138
2139 /* NULL settings file means compose automatically */
2140 Utf8Str strSettingsFile(aSettingsFile);
2141 if (strSettingsFile.isEmpty())
2142 {
2143 Utf8Str strNewCreateFlags(Utf8StrFmt("UUID=%RTuuid", id.raw()));
2144 if (fDirectoryIncludesUUID)
2145 strNewCreateFlags += ",directoryIncludesUUID=1";
2146
2147 com::Utf8Str blstr;
2148 rc = composeMachineFilename(aName,
2149 llGroups.front(),
2150 strNewCreateFlags,
2151 blstr /* aBaseFolder */,
2152 strSettingsFile);
2153 if (FAILED(rc)) return rc;
2154 }
2155
2156 /* create a new object */
2157 ComObjPtr<Machine> machine;
2158 rc = machine.createObject();
2159 if (FAILED(rc)) return rc;
2160
2161 ComObjPtr<GuestOSType> osType;
2162 if (!aOsTypeId.isEmpty())
2163 i_findGuestOSType(aOsTypeId, osType);
2164
2165 /* initialize the machine object */
2166 rc = machine->init(this,
2167 strSettingsFile,
2168 aName,
2169 llGroups,
2170 aOsTypeId,
2171 osType,
2172 id,
2173 fForceOverwrite,
2174 fDirectoryIncludesUUID,
2175 aCipher,
2176 aPasswordId,
2177 aPassword);
2178 if (SUCCEEDED(rc))
2179 {
2180 /* set the return value */
2181 machine.queryInterfaceTo(aMachine.asOutParam());
2182 AssertComRC(rc);
2183
2184#ifdef VBOX_WITH_EXTPACK
2185 /* call the extension pack hooks */
2186 m->ptrExtPackManager->i_callAllVmCreatedHooks(machine);
2187#endif
2188 }
2189
2190 LogFlowThisFuncLeave();
2191
2192 return rc;
2193}
2194
2195HRESULT VirtualBox::openMachine(const com::Utf8Str &aSettingsFile,
2196 const com::Utf8Str &aPassword,
2197 ComPtr<IMachine> &aMachine)
2198{
2199 HRESULT rc = E_FAIL;
2200
2201 /* create a new object */
2202 ComObjPtr<Machine> machine;
2203 rc = machine.createObject();
2204 if (SUCCEEDED(rc))
2205 {
2206 /* initialize the machine object */
2207 rc = machine->initFromSettings(this,
2208 aSettingsFile,
2209 NULL, /* const Guid *aId */
2210 aPassword);
2211 if (SUCCEEDED(rc))
2212 {
2213 /* set the return value */
2214 machine.queryInterfaceTo(aMachine.asOutParam());
2215 ComAssertComRC(rc);
2216 }
2217 }
2218
2219 return rc;
2220}
2221
2222/** @note Locks objects! */
2223HRESULT VirtualBox::registerMachine(const ComPtr<IMachine> &aMachine)
2224{
2225 HRESULT rc;
2226
2227 Bstr name;
2228 rc = aMachine->COMGETTER(Name)(name.asOutParam());
2229 if (FAILED(rc)) return rc;
2230
2231 /* We can safely cast child to Machine * here because only Machine
2232 * implementations of IMachine can be among our children. */
2233 IMachine *aM = aMachine;
2234 Machine *pMachine = static_cast<Machine*>(aM);
2235
2236 AutoCaller machCaller(pMachine);
2237 ComAssertComRCRetRC(machCaller.rc());
2238
2239 rc = i_registerMachine(pMachine);
2240 /* fire an event */
2241 if (SUCCEEDED(rc))
2242 i_onMachineRegistered(pMachine->i_getId(), TRUE);
2243
2244 return rc;
2245}
2246
2247/** @note Locks this object for reading, then some machine objects for reading. */
2248HRESULT VirtualBox::findMachine(const com::Utf8Str &aSettingsFile,
2249 ComPtr<IMachine> &aMachine)
2250{
2251 LogFlowThisFuncEnter();
2252 LogFlowThisFunc(("aSettingsFile=\"%s\", aMachine={%p}\n", aSettingsFile.c_str(), &aMachine));
2253
2254 /* start with not found */
2255 HRESULT rc = S_OK;
2256 ComObjPtr<Machine> pMachineFound;
2257
2258 Guid id(aSettingsFile);
2259 Utf8Str strFile(aSettingsFile);
2260 if (id.isValid() && !id.isZero())
2261
2262 rc = i_findMachine(id,
2263 true /* fPermitInaccessible */,
2264 true /* setError */,
2265 &pMachineFound);
2266 // returns VBOX_E_OBJECT_NOT_FOUND if not found and sets error
2267 else
2268 {
2269 rc = i_findMachineByName(strFile,
2270 true /* setError */,
2271 &pMachineFound);
2272 // returns VBOX_E_OBJECT_NOT_FOUND if not found and sets error
2273 }
2274
2275 /* this will set (*machine) to NULL if machineObj is null */
2276 pMachineFound.queryInterfaceTo(aMachine.asOutParam());
2277
2278 LogFlowThisFunc(("aName=\"%s\", aMachine=%p, rc=%08X\n", aSettingsFile.c_str(), &aMachine, rc));
2279 LogFlowThisFuncLeave();
2280
2281 return rc;
2282}
2283
2284HRESULT VirtualBox::getMachinesByGroups(const std::vector<com::Utf8Str> &aGroups,
2285 std::vector<ComPtr<IMachine> > &aMachines)
2286{
2287 StringsList llGroups;
2288 HRESULT rc = i_convertMachineGroups(aGroups, &llGroups);
2289 if (FAILED(rc))
2290 return rc;
2291
2292 /* we want to rely on sorted groups during compare, to save time */
2293 llGroups.sort();
2294
2295 /* get copy of all machine references, to avoid holding the list lock */
2296 MachinesOList::MyList allMachines;
2297 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
2298 allMachines = m->allMachines.getList();
2299
2300 std::vector<ComObjPtr<IMachine> > saMachines;
2301 saMachines.resize(0);
2302 for (MachinesOList::MyList::const_iterator it = allMachines.begin();
2303 it != allMachines.end();
2304 ++it)
2305 {
2306 const ComObjPtr<Machine> &pMachine = *it;
2307 AutoCaller autoMachineCaller(pMachine);
2308 if (FAILED(autoMachineCaller.rc()))
2309 continue;
2310 AutoReadLock mlock(pMachine COMMA_LOCKVAL_SRC_POS);
2311
2312 if (pMachine->i_isAccessible())
2313 {
2314 const StringsList &thisGroups = pMachine->i_getGroups();
2315 for (StringsList::const_iterator it2 = thisGroups.begin();
2316 it2 != thisGroups.end();
2317 ++it2)
2318 {
2319 const Utf8Str &group = *it2;
2320 bool fAppended = false;
2321 for (StringsList::const_iterator it3 = llGroups.begin();
2322 it3 != llGroups.end();
2323 ++it3)
2324 {
2325 int order = it3->compare(group);
2326 if (order == 0)
2327 {
2328 saMachines.push_back(static_cast<IMachine *>(pMachine));
2329 fAppended = true;
2330 break;
2331 }
2332 else if (order > 0)
2333 break;
2334 else
2335 continue;
2336 }
2337 /* avoid duplicates and save time */
2338 if (fAppended)
2339 break;
2340 }
2341 }
2342 }
2343 aMachines.resize(saMachines.size());
2344 size_t i = 0;
2345 for(i = 0; i < saMachines.size(); ++i)
2346 saMachines[i].queryInterfaceTo(aMachines[i].asOutParam());
2347
2348 return S_OK;
2349}
2350
2351HRESULT VirtualBox::getMachineStates(const std::vector<ComPtr<IMachine> > &aMachines,
2352 std::vector<MachineState_T> &aStates)
2353{
2354 com::SafeIfaceArray<IMachine> saMachines(aMachines);
2355 aStates.resize(aMachines.size());
2356 for (size_t i = 0; i < saMachines.size(); i++)
2357 {
2358 ComPtr<IMachine> pMachine = saMachines[i];
2359 MachineState_T state = MachineState_Null;
2360 if (!pMachine.isNull())
2361 {
2362 HRESULT rc = pMachine->COMGETTER(State)(&state);
2363 if (rc == E_ACCESSDENIED)
2364 rc = S_OK;
2365 AssertComRC(rc);
2366 }
2367 aStates[i] = state;
2368 }
2369 return S_OK;
2370}
2371
2372HRESULT VirtualBox::createUnattendedInstaller(ComPtr<IUnattended> &aUnattended)
2373{
2374#ifdef VBOX_WITH_UNATTENDED
2375 ComObjPtr<Unattended> ptrUnattended;
2376 HRESULT hrc = ptrUnattended.createObject();
2377 if (SUCCEEDED(hrc))
2378 {
2379 AutoReadLock wlock(this COMMA_LOCKVAL_SRC_POS);
2380 hrc = ptrUnattended->initUnattended(this);
2381 if (SUCCEEDED(hrc))
2382 hrc = ptrUnattended.queryInterfaceTo(aUnattended.asOutParam());
2383 }
2384 return hrc;
2385#else
2386 NOREF(aUnattended);
2387 return E_NOTIMPL;
2388#endif
2389}
2390
2391HRESULT VirtualBox::createMedium(const com::Utf8Str &aFormat,
2392 const com::Utf8Str &aLocation,
2393 AccessMode_T aAccessMode,
2394 DeviceType_T aDeviceType,
2395 ComPtr<IMedium> &aMedium)
2396{
2397 NOREF(aAccessMode); /**< @todo r=klaus make use of access mode */
2398
2399 HRESULT rc = S_OK;
2400
2401 ComObjPtr<Medium> medium;
2402 medium.createObject();
2403 com::Utf8Str format = aFormat;
2404
2405 switch (aDeviceType)
2406 {
2407 case DeviceType_HardDisk:
2408 {
2409
2410 /* we don't access non-const data members so no need to lock */
2411 if (format.isEmpty())
2412 i_getDefaultHardDiskFormat(format);
2413
2414 rc = medium->init(this,
2415 format,
2416 aLocation,
2417 Guid::Empty /* media registry: none yet */,
2418 aDeviceType);
2419 }
2420 break;
2421
2422 case DeviceType_DVD:
2423 case DeviceType_Floppy:
2424 {
2425
2426 if (format.isEmpty())
2427 return setError(E_INVALIDARG, tr("Format must be Valid Type%s"), format.c_str());
2428
2429 // enforce read-only for DVDs even if caller specified ReadWrite
2430 if (aDeviceType == DeviceType_DVD)
2431 aAccessMode = AccessMode_ReadOnly;
2432
2433 rc = medium->init(this,
2434 format,
2435 aLocation,
2436 Guid::Empty /* media registry: none yet */,
2437 aDeviceType);
2438
2439 }
2440 break;
2441
2442 default:
2443 return setError(E_INVALIDARG, tr("Device type must be HardDisk, DVD or Floppy %d"), aDeviceType);
2444 }
2445
2446 if (SUCCEEDED(rc))
2447 {
2448 medium.queryInterfaceTo(aMedium.asOutParam());
2449 com::Guid uMediumId = medium->i_getId();
2450 if (uMediumId.isValid() && !uMediumId.isZero())
2451 i_onMediumRegistered(uMediumId, medium->i_getDeviceType(), TRUE);
2452 }
2453
2454 return rc;
2455}
2456
2457HRESULT VirtualBox::openMedium(const com::Utf8Str &aLocation,
2458 DeviceType_T aDeviceType,
2459 AccessMode_T aAccessMode,
2460 BOOL aForceNewUuid,
2461 ComPtr<IMedium> &aMedium)
2462{
2463 HRESULT rc = S_OK;
2464 Guid id(aLocation);
2465 ComObjPtr<Medium> pMedium;
2466
2467 // have to get write lock as the whole find/update sequence must be done
2468 // in one critical section, otherwise there are races which can lead to
2469 // multiple Medium objects with the same content
2470 AutoWriteLock treeLock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
2471
2472 // check if the device type is correct, and see if a medium for the
2473 // given path has already initialized; if so, return that
2474 switch (aDeviceType)
2475 {
2476 case DeviceType_HardDisk:
2477 if (id.isValid() && !id.isZero())
2478 rc = i_findHardDiskById(id, false /* setError */, &pMedium);
2479 else
2480 rc = i_findHardDiskByLocation(aLocation,
2481 false, /* aSetError */
2482 &pMedium);
2483 break;
2484
2485 case DeviceType_Floppy:
2486 case DeviceType_DVD:
2487 if (id.isValid() && !id.isZero())
2488 rc = i_findDVDOrFloppyImage(aDeviceType, &id, Utf8Str::Empty,
2489 false /* setError */, &pMedium);
2490 else
2491 rc = i_findDVDOrFloppyImage(aDeviceType, NULL, aLocation,
2492 false /* setError */, &pMedium);
2493
2494 // enforce read-only for DVDs even if caller specified ReadWrite
2495 if (aDeviceType == DeviceType_DVD)
2496 aAccessMode = AccessMode_ReadOnly;
2497 break;
2498
2499 default:
2500 return setError(E_INVALIDARG, tr("Device type must be HardDisk, DVD or Floppy %d"), aDeviceType);
2501 }
2502
2503 bool fMediumRegistered = false;
2504 if (pMedium.isNull())
2505 {
2506 pMedium.createObject();
2507 treeLock.release();
2508 rc = pMedium->init(this,
2509 aLocation,
2510 (aAccessMode == AccessMode_ReadWrite) ? Medium::OpenReadWrite : Medium::OpenReadOnly,
2511 !!aForceNewUuid,
2512 aDeviceType);
2513 treeLock.acquire();
2514
2515 if (SUCCEEDED(rc))
2516 {
2517 rc = i_registerMedium(pMedium, &pMedium, treeLock);
2518
2519 treeLock.release();
2520
2521 /* Note that it's important to call uninit() on failure to register
2522 * because the differencing hard disk would have been already associated
2523 * with the parent and this association needs to be broken. */
2524
2525 if (FAILED(rc))
2526 {
2527 pMedium->uninit();
2528 rc = VBOX_E_OBJECT_NOT_FOUND;
2529 }
2530 else
2531 {
2532 fMediumRegistered = true;
2533 }
2534 }
2535 else
2536 {
2537 if (rc != VBOX_E_INVALID_OBJECT_STATE)
2538 rc = VBOX_E_OBJECT_NOT_FOUND;
2539 }
2540 }
2541
2542 if (SUCCEEDED(rc))
2543 {
2544 pMedium.queryInterfaceTo(aMedium.asOutParam());
2545 if (fMediumRegistered)
2546 i_onMediumRegistered(pMedium->i_getId(), pMedium->i_getDeviceType() ,TRUE);
2547 }
2548
2549 return rc;
2550}
2551
2552
2553/** @note Locks this object for reading. */
2554HRESULT VirtualBox::getGuestOSType(const com::Utf8Str &aId,
2555 ComPtr<IGuestOSType> &aType)
2556{
2557 ComObjPtr<GuestOSType> pType;
2558 HRESULT rc = i_findGuestOSType(aId, pType);
2559 pType.queryInterfaceTo(aType.asOutParam());
2560 return rc;
2561}
2562
2563HRESULT VirtualBox::createSharedFolder(const com::Utf8Str &aName,
2564 const com::Utf8Str &aHostPath,
2565 BOOL aWritable,
2566 BOOL aAutomount,
2567 const com::Utf8Str &aAutoMountPoint)
2568{
2569 NOREF(aName);
2570 NOREF(aHostPath);
2571 NOREF(aWritable);
2572 NOREF(aAutomount);
2573 NOREF(aAutoMountPoint);
2574
2575 return setError(E_NOTIMPL, tr("Not yet implemented"));
2576}
2577
2578HRESULT VirtualBox::removeSharedFolder(const com::Utf8Str &aName)
2579{
2580 NOREF(aName);
2581 return setError(E_NOTIMPL, tr("Not yet implemented"));
2582}
2583
2584/**
2585 * @note Locks this object for reading.
2586 */
2587HRESULT VirtualBox::getExtraDataKeys(std::vector<com::Utf8Str> &aKeys)
2588{
2589 using namespace settings;
2590
2591 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2592
2593 aKeys.resize(m->pMainConfigFile->mapExtraDataItems.size());
2594 size_t i = 0;
2595 for (StringsMap::const_iterator it = m->pMainConfigFile->mapExtraDataItems.begin();
2596 it != m->pMainConfigFile->mapExtraDataItems.end(); ++it, ++i)
2597 aKeys[i] = it->first;
2598
2599 return S_OK;
2600}
2601
2602/**
2603 * @note Locks this object for reading.
2604 */
2605HRESULT VirtualBox::getExtraData(const com::Utf8Str &aKey,
2606 com::Utf8Str &aValue)
2607{
2608 settings::StringsMap::const_iterator it = m->pMainConfigFile->mapExtraDataItems.find(aKey);
2609 if (it != m->pMainConfigFile->mapExtraDataItems.end())
2610 // found:
2611 aValue = it->second; // source is a Utf8Str
2612
2613 /* return the result to caller (may be empty) */
2614
2615 return S_OK;
2616}
2617
2618/**
2619 * @note Locks this object for writing.
2620 */
2621HRESULT VirtualBox::setExtraData(const com::Utf8Str &aKey,
2622 const com::Utf8Str &aValue)
2623{
2624 Utf8Str strKey(aKey);
2625 Utf8Str strValue(aValue);
2626 Utf8Str strOldValue; // empty
2627 HRESULT rc = S_OK;
2628
2629 /* Because control characters in aKey have caused problems in the settings
2630 * they are rejected unless the key should be deleted. */
2631 if (!strValue.isEmpty())
2632 {
2633 for (size_t i = 0; i < strKey.length(); ++i)
2634 {
2635 char ch = strKey[i];
2636 if (RTLocCIsCntrl(ch))
2637 return E_INVALIDARG;
2638 }
2639 }
2640
2641 // locking note: we only hold the read lock briefly to look up the old value,
2642 // then release it and call the onExtraCanChange callbacks. There is a small
2643 // chance of a race insofar as the callback might be called twice if two callers
2644 // change the same key at the same time, but that's a much better solution
2645 // than the deadlock we had here before. The actual changing of the extradata
2646 // is then performed under the write lock and race-free.
2647
2648 // look up the old value first; if nothing has changed then we need not do anything
2649 {
2650 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS); // hold read lock only while looking up
2651 settings::StringsMap::const_iterator it = m->pMainConfigFile->mapExtraDataItems.find(strKey);
2652 if (it != m->pMainConfigFile->mapExtraDataItems.end())
2653 strOldValue = it->second;
2654 }
2655
2656 bool fChanged;
2657 if ((fChanged = (strOldValue != strValue)))
2658 {
2659 // ask for permission from all listeners outside the locks;
2660 // onExtraDataCanChange() only briefly requests the VirtualBox
2661 // lock to copy the list of callbacks to invoke
2662 Bstr error;
2663
2664 if (!i_onExtraDataCanChange(Guid::Empty, Bstr(aKey).raw(), Bstr(aValue).raw(), error))
2665 {
2666 const char *sep = error.isEmpty() ? "" : ": ";
2667 Log1WarningFunc(("Someone vetoed! Change refused%s%ls\n", sep, error.raw()));
2668 return setError(E_ACCESSDENIED,
2669 tr("Could not set extra data because someone refused the requested change of '%s' to '%s'%s%ls"),
2670 strKey.c_str(),
2671 strValue.c_str(),
2672 sep,
2673 error.raw());
2674 }
2675
2676 // data is changing and change not vetoed: then write it out under the lock
2677
2678 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2679
2680 if (strValue.isEmpty())
2681 m->pMainConfigFile->mapExtraDataItems.erase(strKey);
2682 else
2683 m->pMainConfigFile->mapExtraDataItems[strKey] = strValue;
2684 // creates a new key if needed
2685
2686 /* save settings on success */
2687 rc = i_saveSettings();
2688 if (FAILED(rc)) return rc;
2689 }
2690
2691 // fire notification outside the lock
2692 if (fChanged)
2693 i_onExtraDataChanged(Guid::Empty, Bstr(aKey).raw(), Bstr(aValue).raw());
2694
2695 return rc;
2696}
2697
2698/**
2699 *
2700 */
2701HRESULT VirtualBox::setSettingsSecret(const com::Utf8Str &aPassword)
2702{
2703 i_storeSettingsKey(aPassword);
2704 i_decryptSettings();
2705 return S_OK;
2706}
2707
2708int VirtualBox::i_decryptMediumSettings(Medium *pMedium)
2709{
2710 Bstr bstrCipher;
2711 HRESULT hrc = pMedium->GetProperty(Bstr("InitiatorSecretEncrypted").raw(),
2712 bstrCipher.asOutParam());
2713 if (SUCCEEDED(hrc))
2714 {
2715 Utf8Str strPlaintext;
2716 int rc = i_decryptSetting(&strPlaintext, bstrCipher);
2717 if (RT_SUCCESS(rc))
2718 pMedium->i_setPropertyDirect("InitiatorSecret", strPlaintext);
2719 else
2720 return rc;
2721 }
2722 return VINF_SUCCESS;
2723}
2724
2725/**
2726 * Decrypt all encrypted settings.
2727 *
2728 * So far we only have encrypted iSCSI initiator secrets so we just go through
2729 * all hard disk mediums and determine the plain 'InitiatorSecret' from
2730 * 'InitiatorSecretEncrypted. The latter is stored as Base64 because medium
2731 * properties need to be null-terminated strings.
2732 */
2733int VirtualBox::i_decryptSettings()
2734{
2735 bool fFailure = false;
2736 AutoReadLock al(m->allHardDisks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
2737 for (MediaList::const_iterator mt = m->allHardDisks.begin();
2738 mt != m->allHardDisks.end();
2739 ++mt)
2740 {
2741 ComObjPtr<Medium> pMedium = *mt;
2742 AutoCaller medCaller(pMedium);
2743 if (FAILED(medCaller.rc()))
2744 continue;
2745 AutoWriteLock mlock(pMedium COMMA_LOCKVAL_SRC_POS);
2746 int vrc = i_decryptMediumSettings(pMedium);
2747 if (RT_FAILURE(vrc))
2748 fFailure = true;
2749 }
2750 if (!fFailure)
2751 {
2752 for (MediaList::const_iterator mt = m->allHardDisks.begin();
2753 mt != m->allHardDisks.end();
2754 ++mt)
2755 {
2756 i_onMediumConfigChanged(*mt);
2757 }
2758 }
2759 return fFailure ? VERR_INVALID_PARAMETER : VINF_SUCCESS;
2760}
2761
2762/**
2763 * Encode.
2764 *
2765 * @param aPlaintext plaintext to be encrypted
2766 * @param aCiphertext resulting ciphertext (base64-encoded)
2767 */
2768int VirtualBox::i_encryptSetting(const Utf8Str &aPlaintext, Utf8Str *aCiphertext)
2769{
2770 uint8_t abCiphertext[32];
2771 char szCipherBase64[128];
2772 size_t cchCipherBase64;
2773 int rc = i_encryptSettingBytes((uint8_t*)aPlaintext.c_str(), abCiphertext,
2774 aPlaintext.length()+1, sizeof(abCiphertext));
2775 if (RT_SUCCESS(rc))
2776 {
2777 rc = RTBase64Encode(abCiphertext, sizeof(abCiphertext),
2778 szCipherBase64, sizeof(szCipherBase64),
2779 &cchCipherBase64);
2780 if (RT_SUCCESS(rc))
2781 *aCiphertext = szCipherBase64;
2782 }
2783 return rc;
2784}
2785
2786/**
2787 * Decode.
2788 *
2789 * @param aPlaintext resulting plaintext
2790 * @param aCiphertext ciphertext (base64-encoded) to decrypt
2791 */
2792int VirtualBox::i_decryptSetting(Utf8Str *aPlaintext, const Utf8Str &aCiphertext)
2793{
2794 uint8_t abPlaintext[64];
2795 uint8_t abCiphertext[64];
2796 size_t cbCiphertext;
2797 int rc = RTBase64Decode(aCiphertext.c_str(),
2798 abCiphertext, sizeof(abCiphertext),
2799 &cbCiphertext, NULL);
2800 if (RT_SUCCESS(rc))
2801 {
2802 rc = i_decryptSettingBytes(abPlaintext, abCiphertext, cbCiphertext);
2803 if (RT_SUCCESS(rc))
2804 {
2805 for (unsigned i = 0; i < cbCiphertext; i++)
2806 {
2807 /* sanity check: null-terminated string? */
2808 if (abPlaintext[i] == '\0')
2809 {
2810 /* sanity check: valid UTF8 string? */
2811 if (RTStrIsValidEncoding((const char*)abPlaintext))
2812 {
2813 *aPlaintext = Utf8Str((const char*)abPlaintext);
2814 return VINF_SUCCESS;
2815 }
2816 }
2817 }
2818 rc = VERR_INVALID_MAGIC;
2819 }
2820 }
2821 return rc;
2822}
2823
2824/**
2825 * Encrypt secret bytes. Use the m->SettingsCipherKey as key.
2826 *
2827 * @param aPlaintext clear text to be encrypted
2828 * @param aCiphertext resulting encrypted text
2829 * @param aPlaintextSize size of the plaintext
2830 * @param aCiphertextSize size of the ciphertext
2831 */
2832int VirtualBox::i_encryptSettingBytes(const uint8_t *aPlaintext, uint8_t *aCiphertext,
2833 size_t aPlaintextSize, size_t aCiphertextSize) const
2834{
2835 unsigned i, j;
2836 uint8_t aBytes[64];
2837
2838 if (!m->fSettingsCipherKeySet)
2839 return VERR_INVALID_STATE;
2840
2841 if (aCiphertextSize > sizeof(aBytes))
2842 return VERR_BUFFER_OVERFLOW;
2843
2844 if (aCiphertextSize < 32)
2845 return VERR_INVALID_PARAMETER;
2846
2847 AssertCompile(sizeof(m->SettingsCipherKey) >= 32);
2848
2849 /* store the first 8 bytes of the cipherkey for verification */
2850 for (i = 0, j = 0; i < 8; i++, j++)
2851 aCiphertext[i] = m->SettingsCipherKey[j];
2852
2853 for (unsigned k = 0; k < aPlaintextSize && i < aCiphertextSize; i++, k++)
2854 {
2855 aCiphertext[i] = (aPlaintext[k] ^ m->SettingsCipherKey[j]);
2856 if (++j >= sizeof(m->SettingsCipherKey))
2857 j = 0;
2858 }
2859
2860 /* fill with random data to have a minimal length (salt) */
2861 if (i < aCiphertextSize)
2862 {
2863 RTRandBytes(aBytes, aCiphertextSize - i);
2864 for (int k = 0; i < aCiphertextSize; i++, k++)
2865 {
2866 aCiphertext[i] = aBytes[k] ^ m->SettingsCipherKey[j];
2867 if (++j >= sizeof(m->SettingsCipherKey))
2868 j = 0;
2869 }
2870 }
2871
2872 return VINF_SUCCESS;
2873}
2874
2875/**
2876 * Decrypt secret bytes. Use the m->SettingsCipherKey as key.
2877 *
2878 * @param aPlaintext resulting plaintext
2879 * @param aCiphertext ciphertext to be decrypted
2880 * @param aCiphertextSize size of the ciphertext == size of the plaintext
2881 */
2882int VirtualBox::i_decryptSettingBytes(uint8_t *aPlaintext,
2883 const uint8_t *aCiphertext, size_t aCiphertextSize) const
2884{
2885 unsigned i, j;
2886
2887 if (!m->fSettingsCipherKeySet)
2888 return VERR_INVALID_STATE;
2889
2890 if (aCiphertextSize < 32)
2891 return VERR_INVALID_PARAMETER;
2892
2893 /* key verification */
2894 for (i = 0, j = 0; i < 8; i++, j++)
2895 if (aCiphertext[i] != m->SettingsCipherKey[j])
2896 return VERR_INVALID_MAGIC;
2897
2898 /* poison */
2899 memset(aPlaintext, 0xff, aCiphertextSize);
2900 for (int k = 0; i < aCiphertextSize; i++, k++)
2901 {
2902 aPlaintext[k] = aCiphertext[i] ^ m->SettingsCipherKey[j];
2903 if (++j >= sizeof(m->SettingsCipherKey))
2904 j = 0;
2905 }
2906
2907 return VINF_SUCCESS;
2908}
2909
2910/**
2911 * Store a settings key.
2912 *
2913 * @param aKey the key to store
2914 */
2915void VirtualBox::i_storeSettingsKey(const Utf8Str &aKey)
2916{
2917 RTSha512(aKey.c_str(), aKey.length(), m->SettingsCipherKey);
2918 m->fSettingsCipherKeySet = true;
2919}
2920
2921// public methods only for internal purposes
2922/////////////////////////////////////////////////////////////////////////////
2923
2924#ifdef DEBUG
2925void VirtualBox::i_dumpAllBackRefs()
2926{
2927 {
2928 AutoReadLock al(m->allHardDisks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
2929 for (MediaList::const_iterator mt = m->allHardDisks.begin();
2930 mt != m->allHardDisks.end();
2931 ++mt)
2932 {
2933 ComObjPtr<Medium> pMedium = *mt;
2934 pMedium->i_dumpBackRefs();
2935 }
2936 }
2937 {
2938 AutoReadLock al(m->allDVDImages.getLockHandle() COMMA_LOCKVAL_SRC_POS);
2939 for (MediaList::const_iterator mt = m->allDVDImages.begin();
2940 mt != m->allDVDImages.end();
2941 ++mt)
2942 {
2943 ComObjPtr<Medium> pMedium = *mt;
2944 pMedium->i_dumpBackRefs();
2945 }
2946 }
2947}
2948#endif
2949
2950/**
2951 * Posts an event to the event queue that is processed asynchronously
2952 * on a dedicated thread.
2953 *
2954 * Posting events to the dedicated event queue is useful to perform secondary
2955 * actions outside any object locks -- for example, to iterate over a list
2956 * of callbacks and inform them about some change caused by some object's
2957 * method call.
2958 *
2959 * @param event event to post; must have been allocated using |new|, will
2960 * be deleted automatically by the event thread after processing
2961 *
2962 * @note Doesn't lock any object.
2963 */
2964HRESULT VirtualBox::i_postEvent(Event *event)
2965{
2966 AssertReturn(event, E_FAIL);
2967
2968 HRESULT rc;
2969 AutoCaller autoCaller(this);
2970 if (SUCCEEDED((rc = autoCaller.rc())))
2971 {
2972 if (getObjectState().getState() != ObjectState::Ready)
2973 Log1WarningFunc(("VirtualBox has been uninitialized (state=%d), the event is discarded!\n",
2974 getObjectState().getState()));
2975 // return S_OK
2976 else if ( (m->pAsyncEventQ)
2977 && (m->pAsyncEventQ->postEvent(event))
2978 )
2979 return S_OK;
2980 else
2981 rc = E_FAIL;
2982 }
2983
2984 // in any event of failure, we must clean up here, or we'll leak;
2985 // the caller has allocated the object using new()
2986 delete event;
2987 return rc;
2988}
2989
2990/**
2991 * Adds a progress to the global collection of pending operations.
2992 * Usually gets called upon progress object initialization.
2993 *
2994 * @param aProgress Operation to add to the collection.
2995 *
2996 * @note Doesn't lock objects.
2997 */
2998HRESULT VirtualBox::i_addProgress(IProgress *aProgress)
2999{
3000 CheckComArgNotNull(aProgress);
3001
3002 AutoCaller autoCaller(this);
3003 if (FAILED(autoCaller.rc())) return autoCaller.rc();
3004
3005 Bstr id;
3006 HRESULT rc = aProgress->COMGETTER(Id)(id.asOutParam());
3007 AssertComRCReturnRC(rc);
3008
3009 /* protect mProgressOperations */
3010 AutoWriteLock safeLock(m->mtxProgressOperations COMMA_LOCKVAL_SRC_POS);
3011
3012 m->mapProgressOperations.insert(ProgressMap::value_type(Guid(id), aProgress));
3013 return S_OK;
3014}
3015
3016/**
3017 * Removes the progress from the global collection of pending operations.
3018 * Usually gets called upon progress completion.
3019 *
3020 * @param aId UUID of the progress operation to remove
3021 *
3022 * @note Doesn't lock objects.
3023 */
3024HRESULT VirtualBox::i_removeProgress(IN_GUID aId)
3025{
3026 AutoCaller autoCaller(this);
3027 if (FAILED(autoCaller.rc())) return autoCaller.rc();
3028
3029 ComPtr<IProgress> progress;
3030
3031 /* protect mProgressOperations */
3032 AutoWriteLock safeLock(m->mtxProgressOperations COMMA_LOCKVAL_SRC_POS);
3033
3034 size_t cnt = m->mapProgressOperations.erase(aId);
3035 Assert(cnt == 1);
3036 NOREF(cnt);
3037
3038 return S_OK;
3039}
3040
3041#ifdef RT_OS_WINDOWS
3042
3043class StartSVCHelperClientData : public ThreadTask
3044{
3045public:
3046 StartSVCHelperClientData()
3047 {
3048 LogFlowFuncEnter();
3049 m_strTaskName = "SVCHelper";
3050 threadVoidData = NULL;
3051 initialized = false;
3052 }
3053
3054 virtual ~StartSVCHelperClientData()
3055 {
3056 LogFlowFuncEnter();
3057 if (threadVoidData!=NULL)
3058 {
3059 delete threadVoidData;
3060 threadVoidData=NULL;
3061 }
3062 };
3063
3064 void handler()
3065 {
3066 VirtualBox::i_SVCHelperClientThreadTask(this);
3067 }
3068
3069 const ComPtr<Progress>& GetProgressObject() const {return progress;}
3070
3071 bool init(VirtualBox* aVbox,
3072 Progress* aProgress,
3073 bool aPrivileged,
3074 VirtualBox::SVCHelperClientFunc aFunc,
3075 void *aUser)
3076 {
3077 LogFlowFuncEnter();
3078 that = aVbox;
3079 progress = aProgress;
3080 privileged = aPrivileged;
3081 func = aFunc;
3082 user = aUser;
3083
3084 initThreadVoidData();
3085
3086 initialized = true;
3087
3088 return initialized;
3089 }
3090
3091 bool isOk() const{ return initialized;}
3092
3093 bool initialized;
3094 ComObjPtr<VirtualBox> that;
3095 ComObjPtr<Progress> progress;
3096 bool privileged;
3097 VirtualBox::SVCHelperClientFunc func;
3098 void *user;
3099 ThreadVoidData *threadVoidData;
3100
3101private:
3102 bool initThreadVoidData()
3103 {
3104 LogFlowFuncEnter();
3105 threadVoidData = static_cast<ThreadVoidData*>(user);
3106 return true;
3107 }
3108};
3109
3110/**
3111 * Helper method that starts a worker thread that:
3112 * - creates a pipe communication channel using SVCHlpClient;
3113 * - starts an SVC Helper process that will inherit this channel;
3114 * - executes the supplied function by passing it the created SVCHlpClient
3115 * and opened instance to communicate to the Helper process and the given
3116 * Progress object.
3117 *
3118 * The user function is supposed to communicate to the helper process
3119 * using the \a aClient argument to do the requested job and optionally expose
3120 * the progress through the \a aProgress object. The user function should never
3121 * call notifyComplete() on it: this will be done automatically using the
3122 * result code returned by the function.
3123 *
3124 * Before the user function is started, the communication channel passed to
3125 * the \a aClient argument is fully set up, the function should start using
3126 * its write() and read() methods directly.
3127 *
3128 * The \a aVrc parameter of the user function may be used to return an error
3129 * code if it is related to communication errors (for example, returned by
3130 * the SVCHlpClient members when they fail). In this case, the correct error
3131 * message using this value will be reported to the caller. Note that the
3132 * value of \a aVrc is inspected only if the user function itself returns
3133 * success.
3134 *
3135 * If a failure happens anywhere before the user function would be normally
3136 * called, it will be called anyway in special "cleanup only" mode indicated
3137 * by \a aClient, \a aProgress and \a aVrc arguments set to NULL. In this mode,
3138 * all the function is supposed to do is to cleanup its aUser argument if
3139 * necessary (it's assumed that the ownership of this argument is passed to
3140 * the user function once #startSVCHelperClient() returns a success, thus
3141 * making it responsible for the cleanup).
3142 *
3143 * After the user function returns, the thread will send the SVCHlpMsg::Null
3144 * message to indicate a process termination.
3145 *
3146 * @param aPrivileged |true| to start the SVC Helper process as a privileged
3147 * user that can perform administrative tasks
3148 * @param aFunc user function to run
3149 * @param aUser argument to the user function
3150 * @param aProgress progress object that will track operation completion
3151 *
3152 * @note aPrivileged is currently ignored (due to some unsolved problems in
3153 * Vista) and the process will be started as a normal (unprivileged)
3154 * process.
3155 *
3156 * @note Doesn't lock anything.
3157 */
3158HRESULT VirtualBox::i_startSVCHelperClient(bool aPrivileged,
3159 SVCHelperClientFunc aFunc,
3160 void *aUser, Progress *aProgress)
3161{
3162 LogFlowFuncEnter();
3163 AssertReturn(aFunc, E_POINTER);
3164 AssertReturn(aProgress, E_POINTER);
3165
3166 AutoCaller autoCaller(this);
3167 if (FAILED(autoCaller.rc())) return autoCaller.rc();
3168
3169 /* create the i_SVCHelperClientThreadTask() argument */
3170
3171 HRESULT hr = S_OK;
3172 StartSVCHelperClientData *pTask = NULL;
3173 try
3174 {
3175 pTask = new StartSVCHelperClientData();
3176
3177 pTask->init(this, aProgress, aPrivileged, aFunc, aUser);
3178
3179 if (!pTask->isOk())
3180 {
3181 delete pTask;
3182 LogRel(("Could not init StartSVCHelperClientData object \n"));
3183 throw E_FAIL;
3184 }
3185
3186 //this function delete pTask in case of exceptions, so there is no need in the call of delete operator
3187 hr = pTask->createThreadWithType(RTTHREADTYPE_MAIN_WORKER);
3188
3189 }
3190 catch(std::bad_alloc &)
3191 {
3192 hr = setError(E_OUTOFMEMORY);
3193 }
3194 catch(...)
3195 {
3196 LogRel(("Could not create thread for StartSVCHelperClientData \n"));
3197 hr = E_FAIL;
3198 }
3199
3200 return hr;
3201}
3202
3203/**
3204 * Worker thread for startSVCHelperClient().
3205 */
3206/* static */
3207void VirtualBox::i_SVCHelperClientThreadTask(StartSVCHelperClientData *pTask)
3208{
3209 LogFlowFuncEnter();
3210 HRESULT rc = S_OK;
3211 bool userFuncCalled = false;
3212
3213 do
3214 {
3215 AssertBreakStmt(pTask, rc = E_POINTER);
3216 AssertReturnVoid(!pTask->progress.isNull());
3217
3218 /* protect VirtualBox from uninitialization */
3219 AutoCaller autoCaller(pTask->that);
3220 if (!autoCaller.isOk())
3221 {
3222 /* it's too late */
3223 rc = autoCaller.rc();
3224 break;
3225 }
3226
3227 int vrc = VINF_SUCCESS;
3228
3229 Guid id;
3230 id.create();
3231 SVCHlpClient client;
3232 vrc = client.create(Utf8StrFmt("VirtualBox\\SVCHelper\\{%RTuuid}",
3233 id.raw()).c_str());
3234 if (RT_FAILURE(vrc))
3235 {
3236 rc = pTask->that->setErrorBoth(E_FAIL, vrc, tr("Could not create the communication channel (%Rrc)"), vrc);
3237 break;
3238 }
3239
3240 /* get the path to the executable */
3241 char exePathBuf[RTPATH_MAX];
3242 char *exePath = RTProcGetExecutablePath(exePathBuf, RTPATH_MAX);
3243 if (!exePath)
3244 {
3245 rc = pTask->that->setError(E_FAIL, tr("Cannot get executable name"));
3246 break;
3247 }
3248
3249 Utf8Str argsStr = Utf8StrFmt("/Helper %s", client.name().c_str());
3250
3251 LogFlowFunc(("Starting '\"%s\" %s'...\n", exePath, argsStr.c_str()));
3252
3253 RTPROCESS pid = NIL_RTPROCESS;
3254
3255 if (pTask->privileged)
3256 {
3257 /* Attempt to start a privileged process using the Run As dialog */
3258
3259 Bstr file = exePath;
3260 Bstr parameters = argsStr;
3261
3262 SHELLEXECUTEINFO shExecInfo;
3263
3264 shExecInfo.cbSize = sizeof(SHELLEXECUTEINFO);
3265
3266 shExecInfo.fMask = NULL;
3267 shExecInfo.hwnd = NULL;
3268 shExecInfo.lpVerb = L"runas";
3269 shExecInfo.lpFile = file.raw();
3270 shExecInfo.lpParameters = parameters.raw();
3271 shExecInfo.lpDirectory = NULL;
3272 shExecInfo.nShow = SW_NORMAL;
3273 shExecInfo.hInstApp = NULL;
3274
3275 if (!ShellExecuteEx(&shExecInfo))
3276 {
3277 int vrc2 = RTErrConvertFromWin32(GetLastError());
3278 /* hide excessive details in case of a frequent error
3279 * (pressing the Cancel button to close the Run As dialog) */
3280 if (vrc2 == VERR_CANCELLED)
3281 rc = pTask->that->setErrorBoth(E_FAIL, vrc, tr("Operation canceled by the user"));
3282 else
3283 rc = pTask->that->setErrorBoth(E_FAIL, vrc, tr("Could not launch a privileged process '%s' (%Rrc)"), exePath, vrc2);
3284 break;
3285 }
3286 }
3287 else
3288 {
3289 const char *args[] = { exePath, "/Helper", client.name().c_str(), 0 };
3290 vrc = RTProcCreate(exePath, args, RTENV_DEFAULT, 0, &pid);
3291 if (RT_FAILURE(vrc))
3292 {
3293 rc = pTask->that->setErrorBoth(E_FAIL, vrc, tr("Could not launch a process '%s' (%Rrc)"), exePath, vrc);
3294 break;
3295 }
3296 }
3297
3298 /* wait for the client to connect */
3299 vrc = client.connect();
3300 if (RT_SUCCESS(vrc))
3301 {
3302 /* start the user supplied function */
3303 rc = pTask->func(&client, pTask->progress, pTask->user, &vrc);
3304 userFuncCalled = true;
3305 }
3306
3307 /* send the termination signal to the process anyway */
3308 {
3309 int vrc2 = client.write(SVCHlpMsg::Null);
3310 if (RT_SUCCESS(vrc))
3311 vrc = vrc2;
3312 }
3313
3314 if (SUCCEEDED(rc) && RT_FAILURE(vrc))
3315 {
3316 rc = pTask->that->setErrorBoth(E_FAIL, vrc, tr("Could not operate the communication channel (%Rrc)"), vrc);
3317 break;
3318 }
3319 }
3320 while (0);
3321
3322 if (FAILED(rc) && !userFuncCalled)
3323 {
3324 /* call the user function in the "cleanup only" mode
3325 * to let it free resources passed to in aUser */
3326 pTask->func(NULL, NULL, pTask->user, NULL);
3327 }
3328
3329 pTask->progress->i_notifyComplete(rc);
3330
3331 LogFlowFuncLeave();
3332}
3333
3334#endif /* RT_OS_WINDOWS */
3335
3336/**
3337 * Sends a signal to the client watcher to rescan the set of machines
3338 * that have open sessions.
3339 *
3340 * @note Doesn't lock anything.
3341 */
3342void VirtualBox::i_updateClientWatcher()
3343{
3344 AutoCaller autoCaller(this);
3345 AssertComRCReturnVoid(autoCaller.rc());
3346
3347 AssertPtrReturnVoid(m->pClientWatcher);
3348 m->pClientWatcher->update();
3349}
3350
3351/**
3352 * Adds the given child process ID to the list of processes to be reaped.
3353 * This call should be followed by #i_updateClientWatcher() to take the effect.
3354 *
3355 * @note Doesn't lock anything.
3356 */
3357void VirtualBox::i_addProcessToReap(RTPROCESS pid)
3358{
3359 AutoCaller autoCaller(this);
3360 AssertComRCReturnVoid(autoCaller.rc());
3361
3362 AssertPtrReturnVoid(m->pClientWatcher);
3363 m->pClientWatcher->addProcess(pid);
3364}
3365
3366/**
3367 * VD plugin load
3368 */
3369int VirtualBox::i_loadVDPlugin(const char *pszPluginLibrary)
3370{
3371 return m->pSystemProperties->i_loadVDPlugin(pszPluginLibrary);
3372}
3373
3374/**
3375 * VD plugin unload
3376 */
3377int VirtualBox::i_unloadVDPlugin(const char *pszPluginLibrary)
3378{
3379 return m->pSystemProperties->i_unloadVDPlugin(pszPluginLibrary);
3380}
3381
3382/**
3383 * @note Doesn't lock any object.
3384 */
3385void VirtualBox::i_onMediumRegistered(const Guid &aMediumId, const DeviceType_T aDevType, const BOOL aRegistered)
3386{
3387 ComPtr<IEvent> ptrEvent;
3388 HRESULT hrc = ::CreateMediumRegisteredEvent(ptrEvent.asOutParam(), m->pEventSource,
3389 aMediumId.toString(), aDevType, aRegistered);
3390 AssertComRCReturnVoid(hrc);
3391 i_postEvent(new AsyncEvent(this, ptrEvent));
3392}
3393
3394void VirtualBox::i_onMediumConfigChanged(IMedium *aMedium)
3395{
3396 ComPtr<IEvent> ptrEvent;
3397 HRESULT hrc = ::CreateMediumConfigChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aMedium);
3398 AssertComRCReturnVoid(hrc);
3399 i_postEvent(new AsyncEvent(this, ptrEvent));
3400}
3401
3402void VirtualBox::i_onMediumChanged(IMediumAttachment *aMediumAttachment)
3403{
3404 ComPtr<IEvent> ptrEvent;
3405 HRESULT hrc = ::CreateMediumChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aMediumAttachment);
3406 AssertComRCReturnVoid(hrc);
3407 i_postEvent(new AsyncEvent(this, ptrEvent));
3408}
3409
3410/**
3411 * @note Doesn't lock any object.
3412 */
3413void VirtualBox::i_onStorageControllerChanged(const Guid &aMachineId, const com::Utf8Str &aControllerName)
3414{
3415 ComPtr<IEvent> ptrEvent;
3416 HRESULT hrc = ::CreateStorageControllerChangedEvent(ptrEvent.asOutParam(), m->pEventSource,
3417 aMachineId.toString(), aControllerName);
3418 AssertComRCReturnVoid(hrc);
3419 i_postEvent(new AsyncEvent(this, ptrEvent));
3420}
3421
3422void VirtualBox::i_onStorageDeviceChanged(IMediumAttachment *aStorageDevice, const BOOL fRemoved, const BOOL fSilent)
3423{
3424 ComPtr<IEvent> ptrEvent;
3425 HRESULT hrc = ::CreateStorageDeviceChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aStorageDevice, fRemoved, fSilent);
3426 AssertComRCReturnVoid(hrc);
3427 i_postEvent(new AsyncEvent(this, ptrEvent));
3428}
3429
3430/**
3431 * @note Doesn't lock any object.
3432 */
3433void VirtualBox::i_onMachineStateChanged(const Guid &aId, MachineState_T aState)
3434{
3435 ComPtr<IEvent> ptrEvent;
3436 HRESULT hrc = ::CreateMachineStateChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aState);
3437 AssertComRCReturnVoid(hrc);
3438 i_postEvent(new AsyncEvent(this, ptrEvent));
3439}
3440
3441/**
3442 * @note Doesn't lock any object.
3443 */
3444void VirtualBox::i_onMachineDataChanged(const Guid &aId, BOOL aTemporary)
3445{
3446 ComPtr<IEvent> ptrEvent;
3447 HRESULT hrc = ::CreateMachineDataChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aTemporary);
3448 AssertComRCReturnVoid(hrc);
3449 i_postEvent(new AsyncEvent(this, ptrEvent));
3450}
3451
3452/**
3453 * @note Locks this object for reading.
3454 */
3455BOOL VirtualBox::i_onExtraDataCanChange(const Guid &aId, const Utf8Str &aKey, const Utf8Str &aValue, Bstr &aError)
3456{
3457 LogFlowThisFunc(("machine={%RTuuid} aKey={%s} aValue={%s}\n", aId.raw(), aKey.c_str(), aValue.c_str()));
3458
3459 AutoCaller autoCaller(this);
3460 AssertComRCReturn(autoCaller.rc(), FALSE);
3461
3462 ComPtr<IEvent> ptrEvent;
3463 HRESULT hrc = ::CreateExtraDataCanChangeEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aKey, aValue);
3464 AssertComRCReturn(hrc, TRUE);
3465
3466 VBoxEventDesc EvtDesc(ptrEvent, m->pEventSource);
3467 BOOL fDelivered = EvtDesc.fire(3000); /* Wait up to 3 secs for delivery */
3468 //Assert(fDelivered);
3469 BOOL fAllowChange = TRUE;
3470 if (fDelivered)
3471 {
3472 ComPtr<IExtraDataCanChangeEvent> ptrCanChangeEvent = ptrEvent;
3473 Assert(ptrCanChangeEvent);
3474
3475 BOOL fVetoed = FALSE;
3476 ptrCanChangeEvent->IsVetoed(&fVetoed);
3477 fAllowChange = !fVetoed;
3478
3479 if (!fAllowChange)
3480 {
3481 SafeArray<BSTR> aVetos;
3482 ptrCanChangeEvent->GetVetos(ComSafeArrayAsOutParam(aVetos));
3483 if (aVetos.size() > 0)
3484 aError = aVetos[0];
3485 }
3486 }
3487
3488 LogFlowThisFunc(("fAllowChange=%RTbool\n", fAllowChange));
3489 return fAllowChange;
3490}
3491
3492/**
3493 * @note Doesn't lock any object.
3494 */
3495void VirtualBox::i_onExtraDataChanged(const Guid &aId, const Utf8Str &aKey, const Utf8Str &aValue)
3496{
3497 ComPtr<IEvent> ptrEvent;
3498 HRESULT hrc = ::CreateExtraDataChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aKey, aValue);
3499 AssertComRCReturnVoid(hrc);
3500 i_postEvent(new AsyncEvent(this, ptrEvent));
3501}
3502
3503/**
3504 * @note Doesn't lock any object.
3505 */
3506void VirtualBox::i_onMachineRegistered(const Guid &aId, BOOL aRegistered)
3507{
3508 ComPtr<IEvent> ptrEvent;
3509 HRESULT hrc = ::CreateMachineRegisteredEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aRegistered);
3510 AssertComRCReturnVoid(hrc);
3511 i_postEvent(new AsyncEvent(this, ptrEvent));
3512}
3513
3514/**
3515 * @note Doesn't lock any object.
3516 */
3517void VirtualBox::i_onSessionStateChanged(const Guid &aId, SessionState_T aState)
3518{
3519 ComPtr<IEvent> ptrEvent;
3520 HRESULT hrc = ::CreateSessionStateChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aId.toString(), aState);
3521 AssertComRCReturnVoid(hrc);
3522 i_postEvent(new AsyncEvent(this, ptrEvent));
3523}
3524
3525/**
3526 * @note Doesn't lock any object.
3527 */
3528void VirtualBox::i_onSnapshotTaken(const Guid &aMachineId, const Guid &aSnapshotId)
3529{
3530 ComPtr<IEvent> ptrEvent;
3531 HRESULT hrc = ::CreateSnapshotTakenEvent(ptrEvent.asOutParam(), m->pEventSource,
3532 aMachineId.toString(), aSnapshotId.toString());
3533 AssertComRCReturnVoid(hrc);
3534 i_postEvent(new AsyncEvent(this, ptrEvent));
3535}
3536
3537/**
3538 * @note Doesn't lock any object.
3539 */
3540void VirtualBox::i_onSnapshotDeleted(const Guid &aMachineId, const Guid &aSnapshotId)
3541{
3542 ComPtr<IEvent> ptrEvent;
3543 HRESULT hrc = ::CreateSnapshotDeletedEvent(ptrEvent.asOutParam(), m->pEventSource,
3544 aMachineId.toString(), aSnapshotId.toString());
3545 AssertComRCReturnVoid(hrc);
3546 i_postEvent(new AsyncEvent(this, ptrEvent));
3547}
3548
3549/**
3550 * @note Doesn't lock any object.
3551 */
3552void VirtualBox::i_onSnapshotRestored(const Guid &aMachineId, const Guid &aSnapshotId)
3553{
3554 ComPtr<IEvent> ptrEvent;
3555 HRESULT hrc = ::CreateSnapshotRestoredEvent(ptrEvent.asOutParam(), m->pEventSource,
3556 aMachineId.toString(), aSnapshotId.toString());
3557 AssertComRCReturnVoid(hrc);
3558 i_postEvent(new AsyncEvent(this, ptrEvent));
3559}
3560
3561/**
3562 * @note Doesn't lock any object.
3563 */
3564void VirtualBox::i_onSnapshotChanged(const Guid &aMachineId, const Guid &aSnapshotId)
3565{
3566 ComPtr<IEvent> ptrEvent;
3567 HRESULT hrc = ::CreateSnapshotChangedEvent(ptrEvent.asOutParam(), m->pEventSource,
3568 aMachineId.toString(), aSnapshotId.toString());
3569 AssertComRCReturnVoid(hrc);
3570 i_postEvent(new AsyncEvent(this, ptrEvent));
3571}
3572
3573/**
3574 * @note Doesn't lock any object.
3575 */
3576void VirtualBox::i_onGuestPropertyChanged(const Guid &aMachineId, const Utf8Str &aName, const Utf8Str &aValue,
3577 const Utf8Str &aFlags, const BOOL fWasDeleted)
3578{
3579 ComPtr<IEvent> ptrEvent;
3580 HRESULT hrc = ::CreateGuestPropertyChangedEvent(ptrEvent.asOutParam(), m->pEventSource,
3581 aMachineId.toString(), aName, aValue, aFlags, fWasDeleted);
3582 AssertComRCReturnVoid(hrc);
3583 i_postEvent(new AsyncEvent(this, ptrEvent));
3584}
3585
3586/**
3587 * @note Doesn't lock any object.
3588 */
3589void VirtualBox::i_onNatRedirectChanged(const Guid &aMachineId, ULONG ulSlot, bool fRemove, const Utf8Str &aName,
3590 NATProtocol_T aProto, const Utf8Str &aHostIp, uint16_t aHostPort,
3591 const Utf8Str &aGuestIp, uint16_t aGuestPort)
3592{
3593 ::FireNATRedirectEvent(m->pEventSource, aMachineId.toString(), ulSlot, fRemove, aName, aProto, aHostIp,
3594 aHostPort, aGuestIp, aGuestPort);
3595}
3596
3597/** @todo Unused!! */
3598void VirtualBox::i_onNATNetworkChanged(const Utf8Str &aName)
3599{
3600 ::FireNATNetworkChangedEvent(m->pEventSource, aName);
3601}
3602
3603void VirtualBox::i_onNATNetworkStartStop(const Utf8Str &aName, BOOL fStart)
3604{
3605 ::FireNATNetworkStartStopEvent(m->pEventSource, aName, fStart);
3606}
3607
3608void VirtualBox::i_onNATNetworkSetting(const Utf8Str &aNetworkName, BOOL aEnabled,
3609 const Utf8Str &aNetwork, const Utf8Str &aGateway,
3610 BOOL aAdvertiseDefaultIpv6RouteEnabled,
3611 BOOL fNeedDhcpServer)
3612{
3613 ::FireNATNetworkSettingEvent(m->pEventSource, aNetworkName, aEnabled, aNetwork, aGateway,
3614 aAdvertiseDefaultIpv6RouteEnabled, fNeedDhcpServer);
3615}
3616
3617void VirtualBox::i_onNATNetworkPortForward(const Utf8Str &aNetworkName, BOOL create, BOOL fIpv6,
3618 const Utf8Str &aRuleName, NATProtocol_T proto,
3619 const Utf8Str &aHostIp, LONG aHostPort,
3620 const Utf8Str &aGuestIp, LONG aGuestPort)
3621{
3622 ::FireNATNetworkPortForwardEvent(m->pEventSource, aNetworkName, create, fIpv6, aRuleName, proto,
3623 aHostIp, aHostPort, aGuestIp, aGuestPort);
3624}
3625
3626
3627void VirtualBox::i_onHostNameResolutionConfigurationChange()
3628{
3629 if (m->pEventSource)
3630 ::FireHostNameResolutionConfigurationChangeEvent(m->pEventSource);
3631}
3632
3633
3634int VirtualBox::i_natNetworkRefInc(const Utf8Str &aNetworkName)
3635{
3636 AutoWriteLock safeLock(*spMtxNatNetworkNameToRefCountLock COMMA_LOCKVAL_SRC_POS);
3637
3638 if (!sNatNetworkNameToRefCount[aNetworkName])
3639 {
3640 ComPtr<INATNetwork> nat;
3641 HRESULT rc = findNATNetworkByName(aNetworkName, nat);
3642 if (FAILED(rc)) return -1;
3643
3644 rc = nat->Start();
3645 if (SUCCEEDED(rc))
3646 LogRel(("Started NAT network '%s'\n", aNetworkName.c_str()));
3647 else
3648 LogRel(("Error %Rhrc starting NAT network '%s'\n", rc, aNetworkName.c_str()));
3649 AssertComRCReturn(rc, -1);
3650 }
3651
3652 sNatNetworkNameToRefCount[aNetworkName]++;
3653
3654 return sNatNetworkNameToRefCount[aNetworkName];
3655}
3656
3657
3658int VirtualBox::i_natNetworkRefDec(const Utf8Str &aNetworkName)
3659{
3660 AutoWriteLock safeLock(*spMtxNatNetworkNameToRefCountLock COMMA_LOCKVAL_SRC_POS);
3661
3662 if (!sNatNetworkNameToRefCount[aNetworkName])
3663 return 0;
3664
3665 sNatNetworkNameToRefCount[aNetworkName]--;
3666
3667 if (!sNatNetworkNameToRefCount[aNetworkName])
3668 {
3669 ComPtr<INATNetwork> nat;
3670 HRESULT rc = findNATNetworkByName(aNetworkName, nat);
3671 if (FAILED(rc)) return -1;
3672
3673 rc = nat->Stop();
3674 if (SUCCEEDED(rc))
3675 LogRel(("Stopped NAT network '%s'\n", aNetworkName.c_str()));
3676 else
3677 LogRel(("Error %Rhrc stopping NAT network '%s'\n", rc, aNetworkName.c_str()));
3678 AssertComRCReturn(rc, -1);
3679 }
3680
3681 return sNatNetworkNameToRefCount[aNetworkName];
3682}
3683
3684
3685/*
3686 * Export this to NATNetwork so that its setters can refuse to change
3687 * essential network settings when an VBoxNatNet instance is running.
3688 */
3689RWLockHandle *VirtualBox::i_getNatNetLock() const
3690{
3691 return spMtxNatNetworkNameToRefCountLock;
3692}
3693
3694
3695/*
3696 * Export this to NATNetwork so that its setters can refuse to change
3697 * essential network settings when an VBoxNatNet instance is running.
3698 * The caller is expected to hold a read lock on i_getNatNetLock().
3699 */
3700bool VirtualBox::i_isNatNetStarted(const Utf8Str &aNetworkName) const
3701{
3702 return sNatNetworkNameToRefCount[aNetworkName] > 0;
3703}
3704
3705
3706void VirtualBox::i_onCloudProviderListChanged(BOOL aRegistered)
3707{
3708 ::FireCloudProviderListChangedEvent(m->pEventSource, aRegistered);
3709}
3710
3711
3712void VirtualBox::i_onCloudProviderRegistered(const Utf8Str &aProviderId, BOOL aRegistered)
3713{
3714 ::FireCloudProviderRegisteredEvent(m->pEventSource, aProviderId, aRegistered);
3715}
3716
3717
3718void VirtualBox::i_onCloudProviderUninstall(const Utf8Str &aProviderId)
3719{
3720 HRESULT hrc;
3721
3722 ComPtr<IEvent> pEvent;
3723 hrc = CreateCloudProviderUninstallEvent(pEvent.asOutParam(),
3724 m->pEventSource, aProviderId);
3725 if (FAILED(hrc))
3726 return;
3727
3728 BOOL fDelivered = FALSE;
3729 hrc = m->pEventSource->FireEvent(pEvent, /* :timeout */ 10000, &fDelivered);
3730 if (FAILED(hrc))
3731 return;
3732}
3733
3734void VirtualBox::i_onLanguageChanged(const Utf8Str &aLanguageId)
3735{
3736 ComPtr<IEvent> ptrEvent;
3737 HRESULT hrc = ::CreateLanguageChangedEvent(ptrEvent.asOutParam(), m->pEventSource, aLanguageId);
3738 AssertComRCReturnVoid(hrc);
3739 i_postEvent(new AsyncEvent(this, ptrEvent));
3740}
3741
3742void VirtualBox::i_onProgressCreated(const Guid &aId, BOOL aCreated)
3743{
3744 ::FireProgressCreatedEvent(m->pEventSource, aId.toString(), aCreated);
3745}
3746
3747#ifdef VBOX_WITH_UPDATE_AGENT
3748/**
3749 * @note Doesn't lock any object.
3750 */
3751void VirtualBox::i_onUpdateAgentAvailable(IUpdateAgent *aAgent,
3752 const Utf8Str &aVer, UpdateChannel_T aChannel, UpdateSeverity_T aSev,
3753 const Utf8Str &aDownloadURL, const Utf8Str &aWebURL, const Utf8Str &aReleaseNotes)
3754{
3755 ::FireUpdateAgentAvailableEvent(m->pEventSource, aAgent, aVer, aChannel, aSev,
3756 aDownloadURL, aWebURL, aReleaseNotes);
3757}
3758
3759/**
3760 * @note Doesn't lock any object.
3761 */
3762void VirtualBox::i_onUpdateAgentError(IUpdateAgent *aAgent, const Utf8Str &aErrMsg, LONG aRc)
3763{
3764 ::FireUpdateAgentErrorEvent(m->pEventSource, aAgent, aErrMsg, aRc);
3765}
3766
3767/**
3768 * @note Doesn't lock any object.
3769 */
3770void VirtualBox::i_onUpdateAgentStateChanged(IUpdateAgent *aAgent, UpdateState_T aState)
3771{
3772 ::FireUpdateAgentStateChangedEvent(m->pEventSource, aAgent, aState);
3773}
3774
3775/**
3776 * @note Doesn't lock any object.
3777 */
3778void VirtualBox::i_onUpdateAgentSettingsChanged(IUpdateAgent *aAgent, const Utf8Str &aAttributeHint)
3779{
3780 ::FireUpdateAgentSettingsChangedEvent(m->pEventSource, aAgent, aAttributeHint);
3781}
3782#endif /* VBOX_WITH_UPDATE_AGENT */
3783
3784/**
3785 * @note Locks the list of other objects for reading.
3786 */
3787ComObjPtr<GuestOSType> VirtualBox::i_getUnknownOSType()
3788{
3789 ComObjPtr<GuestOSType> type;
3790
3791 /* unknown type must always be the first */
3792 ComAssertRet(m->allGuestOSTypes.size() > 0, type);
3793
3794 return m->allGuestOSTypes.front();
3795}
3796
3797/**
3798 * Returns the list of opened machines (machines having VM sessions opened,
3799 * ignoring other sessions) and optionally the list of direct session controls.
3800 *
3801 * @param aMachines Where to put opened machines (will be empty if none).
3802 * @param aControls Where to put direct session controls (optional).
3803 *
3804 * @note The returned lists contain smart pointers. So, clear it as soon as
3805 * it becomes no more necessary to release instances.
3806 *
3807 * @note It can be possible that a session machine from the list has been
3808 * already uninitialized, so do a usual AutoCaller/AutoReadLock sequence
3809 * when accessing unprotected data directly.
3810 *
3811 * @note Locks objects for reading.
3812 */
3813void VirtualBox::i_getOpenedMachines(SessionMachinesList &aMachines,
3814 InternalControlList *aControls /*= NULL*/)
3815{
3816 AutoCaller autoCaller(this);
3817 AssertComRCReturnVoid(autoCaller.rc());
3818
3819 aMachines.clear();
3820 if (aControls)
3821 aControls->clear();
3822
3823 AutoReadLock alock(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
3824
3825 for (MachinesOList::iterator it = m->allMachines.begin();
3826 it != m->allMachines.end();
3827 ++it)
3828 {
3829 ComObjPtr<SessionMachine> sm;
3830 ComPtr<IInternalSessionControl> ctl;
3831 if ((*it)->i_isSessionOpenVM(sm, &ctl))
3832 {
3833 aMachines.push_back(sm);
3834 if (aControls)
3835 aControls->push_back(ctl);
3836 }
3837 }
3838}
3839
3840/**
3841 * Gets a reference to the machine list. This is the real thing, not a copy,
3842 * so bad things will happen if the caller doesn't hold the necessary lock.
3843 *
3844 * @returns reference to machine list
3845 *
3846 * @note Caller must hold the VirtualBox object lock at least for reading.
3847 */
3848VirtualBox::MachinesOList &VirtualBox::i_getMachinesList(void)
3849{
3850 return m->allMachines;
3851}
3852
3853/**
3854 * Searches for a machine object with the given ID in the collection
3855 * of registered machines.
3856 *
3857 * @param aId Machine UUID to look for.
3858 * @param fPermitInaccessible If true, inaccessible machines will be found;
3859 * if false, this will fail if the given machine is inaccessible.
3860 * @param aSetError If true, set errorinfo if the machine is not found.
3861 * @param aMachine Returned machine, if found.
3862 * @return
3863 */
3864HRESULT VirtualBox::i_findMachine(const Guid &aId,
3865 bool fPermitInaccessible,
3866 bool aSetError,
3867 ComObjPtr<Machine> *aMachine /* = NULL */)
3868{
3869 HRESULT rc = VBOX_E_OBJECT_NOT_FOUND;
3870
3871 AutoCaller autoCaller(this);
3872 AssertComRCReturnRC(autoCaller.rc());
3873
3874 {
3875 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
3876
3877 for (MachinesOList::iterator it = m->allMachines.begin();
3878 it != m->allMachines.end();
3879 ++it)
3880 {
3881 ComObjPtr<Machine> pMachine = *it;
3882
3883 if (!fPermitInaccessible)
3884 {
3885 // skip inaccessible machines
3886 AutoCaller machCaller(pMachine);
3887 if (FAILED(machCaller.rc()))
3888 continue;
3889 }
3890
3891 if (pMachine->i_getId() == aId)
3892 {
3893 rc = S_OK;
3894 if (aMachine)
3895 *aMachine = pMachine;
3896 break;
3897 }
3898 }
3899 }
3900
3901 if (aSetError && FAILED(rc))
3902 rc = setError(rc,
3903 tr("Could not find a registered machine with UUID {%RTuuid}"),
3904 aId.raw());
3905
3906 return rc;
3907}
3908
3909/**
3910 * Searches for a machine object with the given name or location in the
3911 * collection of registered machines.
3912 *
3913 * @param aName Machine name or location to look for.
3914 * @param aSetError If true, set errorinfo if the machine is not found.
3915 * @param aMachine Returned machine, if found.
3916 * @return
3917 */
3918HRESULT VirtualBox::i_findMachineByName(const Utf8Str &aName,
3919 bool aSetError,
3920 ComObjPtr<Machine> *aMachine /* = NULL */)
3921{
3922 HRESULT rc = VBOX_E_OBJECT_NOT_FOUND;
3923
3924 AutoReadLock al(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
3925 for (MachinesOList::iterator it = m->allMachines.begin();
3926 it != m->allMachines.end();
3927 ++it)
3928 {
3929 ComObjPtr<Machine> &pMachine = *it;
3930 AutoCaller machCaller(pMachine);
3931 if (!machCaller.isOk())
3932 continue; // we can't ask inaccessible machines for their names
3933
3934 AutoReadLock machLock(pMachine COMMA_LOCKVAL_SRC_POS);
3935 if (pMachine->i_getName() == aName)
3936 {
3937 rc = S_OK;
3938 if (aMachine)
3939 *aMachine = pMachine;
3940 break;
3941 }
3942 if (!RTPathCompare(pMachine->i_getSettingsFileFull().c_str(), aName.c_str()))
3943 {
3944 rc = S_OK;
3945 if (aMachine)
3946 *aMachine = pMachine;
3947 break;
3948 }
3949 }
3950
3951 if (aSetError && FAILED(rc))
3952 rc = setError(rc,
3953 tr("Could not find a registered machine named '%s'"), aName.c_str());
3954
3955 return rc;
3956}
3957
3958static HRESULT i_validateMachineGroupHelper(const Utf8Str &aGroup, bool fPrimary, VirtualBox *pVirtualBox)
3959{
3960 /* empty strings are invalid */
3961 if (aGroup.isEmpty())
3962 return E_INVALIDARG;
3963 /* the toplevel group is valid */
3964 if (aGroup == "/")
3965 return S_OK;
3966 /* any other strings of length 1 are invalid */
3967 if (aGroup.length() == 1)
3968 return E_INVALIDARG;
3969 /* must start with a slash */
3970 if (aGroup.c_str()[0] != '/')
3971 return E_INVALIDARG;
3972 /* must not end with a slash */
3973 if (aGroup.c_str()[aGroup.length() - 1] == '/')
3974 return E_INVALIDARG;
3975 /* check the group components */
3976 const char *pStr = aGroup.c_str() + 1; /* first char is /, skip it */
3977 while (pStr)
3978 {
3979 char *pSlash = RTStrStr(pStr, "/");
3980 if (pSlash)
3981 {
3982 /* no empty components (or // sequences in other words) */
3983 if (pSlash == pStr)
3984 return E_INVALIDARG;
3985 /* check if the machine name rules are violated, because that means
3986 * the group components are too close to the limits. */
3987 Utf8Str tmp((const char *)pStr, (size_t)(pSlash - pStr));
3988 Utf8Str tmp2(tmp);
3989 sanitiseMachineFilename(tmp);
3990 if (tmp != tmp2)
3991 return E_INVALIDARG;
3992 if (fPrimary)
3993 {
3994 HRESULT rc = pVirtualBox->i_findMachineByName(tmp,
3995 false /* aSetError */);
3996 if (SUCCEEDED(rc))
3997 return VBOX_E_VM_ERROR;
3998 }
3999 pStr = pSlash + 1;
4000 }
4001 else
4002 {
4003 /* check if the machine name rules are violated, because that means
4004 * the group components is too close to the limits. */
4005 Utf8Str tmp(pStr);
4006 Utf8Str tmp2(tmp);
4007 sanitiseMachineFilename(tmp);
4008 if (tmp != tmp2)
4009 return E_INVALIDARG;
4010 pStr = NULL;
4011 }
4012 }
4013 return S_OK;
4014}
4015
4016/**
4017 * Validates a machine group.
4018 *
4019 * @param aGroup Machine group.
4020 * @param fPrimary Set if this is the primary group.
4021 *
4022 * @return S_OK or E_INVALIDARG
4023 */
4024HRESULT VirtualBox::i_validateMachineGroup(const Utf8Str &aGroup, bool fPrimary)
4025{
4026 HRESULT rc = i_validateMachineGroupHelper(aGroup, fPrimary, this);
4027 if (FAILED(rc))
4028 {
4029 if (rc == VBOX_E_VM_ERROR)
4030 rc = setError(E_INVALIDARG,
4031 tr("Machine group '%s' conflicts with a virtual machine name"),
4032 aGroup.c_str());
4033 else
4034 rc = setError(rc,
4035 tr("Invalid machine group '%s'"),
4036 aGroup.c_str());
4037 }
4038 return rc;
4039}
4040
4041/**
4042 * Takes a list of machine groups, and sanitizes/validates it.
4043 *
4044 * @param aMachineGroups Array with the machine groups.
4045 * @param pllMachineGroups Pointer to list of strings for the result.
4046 *
4047 * @return S_OK or E_INVALIDARG
4048 */
4049HRESULT VirtualBox::i_convertMachineGroups(const std::vector<com::Utf8Str> aMachineGroups, StringsList *pllMachineGroups)
4050{
4051 pllMachineGroups->clear();
4052 if (aMachineGroups.size())
4053 {
4054 for (size_t i = 0; i < aMachineGroups.size(); i++)
4055 {
4056 Utf8Str group(aMachineGroups[i]);
4057 if (group.length() == 0)
4058 group = "/";
4059
4060 HRESULT rc = i_validateMachineGroup(group, i == 0);
4061 if (FAILED(rc))
4062 return rc;
4063
4064 /* no duplicates please */
4065 if ( find(pllMachineGroups->begin(), pllMachineGroups->end(), group)
4066 == pllMachineGroups->end())
4067 pllMachineGroups->push_back(group);
4068 }
4069 if (pllMachineGroups->size() == 0)
4070 pllMachineGroups->push_back("/");
4071 }
4072 else
4073 pllMachineGroups->push_back("/");
4074
4075 return S_OK;
4076}
4077
4078/**
4079 * Searches for a Medium object with the given ID in the list of registered
4080 * hard disks.
4081 *
4082 * @param aId ID of the hard disk. Must not be empty.
4083 * @param aSetError If @c true , the appropriate error info is set in case
4084 * when the hard disk is not found.
4085 * @param aHardDisk Where to store the found hard disk object (can be NULL).
4086 *
4087 * @return S_OK, E_INVALIDARG or VBOX_E_OBJECT_NOT_FOUND when not found.
4088 *
4089 * @note Locks the media tree for reading.
4090 */
4091HRESULT VirtualBox::i_findHardDiskById(const Guid &aId,
4092 bool aSetError,
4093 ComObjPtr<Medium> *aHardDisk /*= NULL*/)
4094{
4095 AssertReturn(!aId.isZero(), E_INVALIDARG);
4096
4097 // we use the hard disks map, but it is protected by the
4098 // hard disk _list_ lock handle
4099 AutoReadLock alock(m->allHardDisks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4100
4101 HardDiskMap::const_iterator it = m->mapHardDisks.find(aId);
4102 if (it != m->mapHardDisks.end())
4103 {
4104 if (aHardDisk)
4105 *aHardDisk = (*it).second;
4106 return S_OK;
4107 }
4108
4109 if (aSetError)
4110 return setError(VBOX_E_OBJECT_NOT_FOUND,
4111 tr("Could not find an open hard disk with UUID {%RTuuid}"),
4112 aId.raw());
4113
4114 return VBOX_E_OBJECT_NOT_FOUND;
4115}
4116
4117/**
4118 * Searches for a Medium object with the given ID or location in the list of
4119 * registered hard disks. If both ID and location are specified, the first
4120 * object that matches either of them (not necessarily both) is returned.
4121 *
4122 * @param strLocation Full location specification. Must not be empty.
4123 * @param aSetError If @c true , the appropriate error info is set in case
4124 * when the hard disk is not found.
4125 * @param aHardDisk Where to store the found hard disk object (can be NULL).
4126 *
4127 * @return S_OK, E_INVALIDARG or VBOX_E_OBJECT_NOT_FOUND when not found.
4128 *
4129 * @note Locks the media tree for reading.
4130 */
4131HRESULT VirtualBox::i_findHardDiskByLocation(const Utf8Str &strLocation,
4132 bool aSetError,
4133 ComObjPtr<Medium> *aHardDisk /*= NULL*/)
4134{
4135 AssertReturn(!strLocation.isEmpty(), E_INVALIDARG);
4136
4137 // we use the hard disks map, but it is protected by the
4138 // hard disk _list_ lock handle
4139 AutoReadLock alock(m->allHardDisks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4140
4141 for (HardDiskMap::const_iterator it = m->mapHardDisks.begin();
4142 it != m->mapHardDisks.end();
4143 ++it)
4144 {
4145 const ComObjPtr<Medium> &pHD = (*it).second;
4146
4147 AutoCaller autoCaller(pHD);
4148 if (FAILED(autoCaller.rc())) return autoCaller.rc();
4149 AutoWriteLock mlock(pHD COMMA_LOCKVAL_SRC_POS);
4150
4151 Utf8Str strLocationFull = pHD->i_getLocationFull();
4152
4153 if (0 == RTPathCompare(strLocationFull.c_str(), strLocation.c_str()))
4154 {
4155 if (aHardDisk)
4156 *aHardDisk = pHD;
4157 return S_OK;
4158 }
4159 }
4160
4161 if (aSetError)
4162 return setError(VBOX_E_OBJECT_NOT_FOUND,
4163 tr("Could not find an open hard disk with location '%s'"),
4164 strLocation.c_str());
4165
4166 return VBOX_E_OBJECT_NOT_FOUND;
4167}
4168
4169/**
4170 * Searches for a Medium object with the given ID or location in the list of
4171 * registered DVD or floppy images, depending on the @a mediumType argument.
4172 * If both ID and file path are specified, the first object that matches either
4173 * of them (not necessarily both) is returned.
4174 *
4175 * @param mediumType Must be either DeviceType_DVD or DeviceType_Floppy.
4176 * @param aId ID of the image file (unused when NULL).
4177 * @param aLocation Full path to the image file (unused when NULL).
4178 * @param aSetError If @c true, the appropriate error info is set in case when
4179 * the image is not found.
4180 * @param aImage Where to store the found image object (can be NULL).
4181 *
4182 * @return S_OK when found or E_INVALIDARG or VBOX_E_OBJECT_NOT_FOUND when not found.
4183 *
4184 * @note Locks the media tree for reading.
4185 */
4186HRESULT VirtualBox::i_findDVDOrFloppyImage(DeviceType_T mediumType,
4187 const Guid *aId,
4188 const Utf8Str &aLocation,
4189 bool aSetError,
4190 ComObjPtr<Medium> *aImage /* = NULL */)
4191{
4192 AssertReturn(aId || !aLocation.isEmpty(), E_INVALIDARG);
4193
4194 Utf8Str location;
4195 if (!aLocation.isEmpty())
4196 {
4197 int vrc = i_calculateFullPath(aLocation, location);
4198 if (RT_FAILURE(vrc))
4199 return setError(VBOX_E_FILE_ERROR,
4200 tr("Invalid image file location '%s' (%Rrc)"),
4201 aLocation.c_str(),
4202 vrc);
4203 }
4204
4205 MediaOList *pMediaList;
4206
4207 switch (mediumType)
4208 {
4209 case DeviceType_DVD:
4210 pMediaList = &m->allDVDImages;
4211 break;
4212
4213 case DeviceType_Floppy:
4214 pMediaList = &m->allFloppyImages;
4215 break;
4216
4217 default:
4218 return E_INVALIDARG;
4219 }
4220
4221 AutoReadLock alock(pMediaList->getLockHandle() COMMA_LOCKVAL_SRC_POS);
4222
4223 bool found = false;
4224
4225 for (MediaList::const_iterator it = pMediaList->begin();
4226 it != pMediaList->end();
4227 ++it)
4228 {
4229 // no AutoCaller, registered image life time is bound to this
4230 Medium *pMedium = *it;
4231 AutoReadLock imageLock(pMedium COMMA_LOCKVAL_SRC_POS);
4232 const Utf8Str &strLocationFull = pMedium->i_getLocationFull();
4233
4234 found = ( aId
4235 && pMedium->i_getId() == *aId)
4236 || ( !aLocation.isEmpty()
4237 && RTPathCompare(location.c_str(),
4238 strLocationFull.c_str()) == 0);
4239 if (found)
4240 {
4241 if (pMedium->i_getDeviceType() != mediumType)
4242 {
4243 if (mediumType == DeviceType_DVD)
4244 return setError(E_INVALIDARG,
4245 tr("Cannot mount DVD medium '%s' as floppy"), strLocationFull.c_str());
4246 else
4247 return setError(E_INVALIDARG,
4248 tr("Cannot mount floppy medium '%s' as DVD"), strLocationFull.c_str());
4249 }
4250
4251 if (aImage)
4252 *aImage = pMedium;
4253 break;
4254 }
4255 }
4256
4257 HRESULT rc = found ? S_OK : VBOX_E_OBJECT_NOT_FOUND;
4258
4259 if (aSetError && !found)
4260 {
4261 if (aId)
4262 setError(rc,
4263 tr("Could not find an image file with UUID {%RTuuid} in the media registry ('%s')"),
4264 aId->raw(),
4265 m->strSettingsFilePath.c_str());
4266 else
4267 setError(rc,
4268 tr("Could not find an image file with location '%s' in the media registry ('%s')"),
4269 aLocation.c_str(),
4270 m->strSettingsFilePath.c_str());
4271 }
4272
4273 return rc;
4274}
4275
4276/**
4277 * Searches for an IMedium object that represents the given UUID.
4278 *
4279 * If the UUID is empty (indicating an empty drive), this sets pMedium
4280 * to NULL and returns S_OK.
4281 *
4282 * If the UUID refers to a host drive of the given device type, this
4283 * sets pMedium to the object from the list in IHost and returns S_OK.
4284 *
4285 * If the UUID is an image file, this sets pMedium to the object that
4286 * findDVDOrFloppyImage() returned.
4287 *
4288 * If none of the above apply, this returns VBOX_E_OBJECT_NOT_FOUND.
4289 *
4290 * @param mediumType Must be DeviceType_DVD or DeviceType_Floppy.
4291 * @param uuid UUID to search for; must refer to a host drive or an image file or be null.
4292 * @param fRefresh Whether to refresh the list of host drives in IHost (see Host::getDrives())
4293 * @param aSetError
4294 * @param pMedium out: IMedium object found.
4295 * @return
4296 */
4297HRESULT VirtualBox::i_findRemoveableMedium(DeviceType_T mediumType,
4298 const Guid &uuid,
4299 bool fRefresh,
4300 bool aSetError,
4301 ComObjPtr<Medium> &pMedium)
4302{
4303 if (uuid.isZero())
4304 {
4305 // that's easy
4306 pMedium.setNull();
4307 return S_OK;
4308 }
4309 else if (!uuid.isValid())
4310 {
4311 /* handling of case invalid GUID */
4312 return setError(VBOX_E_OBJECT_NOT_FOUND,
4313 tr("Guid '%s' is invalid"),
4314 uuid.toString().c_str());
4315 }
4316
4317 // first search for host drive with that UUID
4318 HRESULT rc = m->pHost->i_findHostDriveById(mediumType,
4319 uuid,
4320 fRefresh,
4321 pMedium);
4322 if (rc == VBOX_E_OBJECT_NOT_FOUND)
4323 // then search for an image with that UUID
4324 rc = i_findDVDOrFloppyImage(mediumType, &uuid, Utf8Str::Empty, aSetError, &pMedium);
4325
4326 return rc;
4327}
4328
4329/* Look for a GuestOSType object */
4330HRESULT VirtualBox::i_findGuestOSType(const Utf8Str &strOSType,
4331 ComObjPtr<GuestOSType> &guestOSType)
4332{
4333 guestOSType.setNull();
4334
4335 AssertMsg(m->allGuestOSTypes.size() != 0,
4336 ("Guest OS types array must be filled"));
4337
4338 AutoReadLock alock(m->allGuestOSTypes.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4339 for (GuestOSTypesOList::const_iterator it = m->allGuestOSTypes.begin();
4340 it != m->allGuestOSTypes.end();
4341 ++it)
4342 {
4343 const Utf8Str &typeId = (*it)->i_id();
4344 AssertMsg(!typeId.isEmpty(), ("ID must not be NULL"));
4345 if (strOSType.compare(typeId, Utf8Str::CaseInsensitive) == 0)
4346 {
4347 guestOSType = *it;
4348 return S_OK;
4349 }
4350 }
4351
4352 return setError(VBOX_E_OBJECT_NOT_FOUND,
4353 tr("'%s' is not a valid Guest OS type"),
4354 strOSType.c_str());
4355}
4356
4357/**
4358 * Returns the constant pseudo-machine UUID that is used to identify the
4359 * global media registry.
4360 *
4361 * Starting with VirtualBox 4.0 each medium remembers in its instance data
4362 * in which media registry it is saved (if any): this can either be a machine
4363 * UUID, if it's in a per-machine media registry, or this global ID.
4364 *
4365 * This UUID is only used to identify the VirtualBox object while VirtualBox
4366 * is running. It is a compile-time constant and not saved anywhere.
4367 *
4368 * @return
4369 */
4370const Guid& VirtualBox::i_getGlobalRegistryId() const
4371{
4372 return m->uuidMediaRegistry;
4373}
4374
4375const ComObjPtr<Host>& VirtualBox::i_host() const
4376{
4377 return m->pHost;
4378}
4379
4380SystemProperties* VirtualBox::i_getSystemProperties() const
4381{
4382 return m->pSystemProperties;
4383}
4384
4385CloudProviderManager *VirtualBox::i_getCloudProviderManager() const
4386{
4387 return m->pCloudProviderManager;
4388}
4389
4390#ifdef VBOX_WITH_EXTPACK
4391/**
4392 * Getter that SystemProperties and others can use to talk to the extension
4393 * pack manager.
4394 */
4395ExtPackManager* VirtualBox::i_getExtPackManager() const
4396{
4397 return m->ptrExtPackManager;
4398}
4399#endif
4400
4401/**
4402 * Getter that machines can talk to the autostart database.
4403 */
4404AutostartDb* VirtualBox::i_getAutostartDb() const
4405{
4406 return m->pAutostartDb;
4407}
4408
4409#ifdef VBOX_WITH_RESOURCE_USAGE_API
4410const ComObjPtr<PerformanceCollector>& VirtualBox::i_performanceCollector() const
4411{
4412 return m->pPerformanceCollector;
4413}
4414#endif /* VBOX_WITH_RESOURCE_USAGE_API */
4415
4416/**
4417 * Returns the default machine folder from the system properties
4418 * with proper locking.
4419 * @return
4420 */
4421void VirtualBox::i_getDefaultMachineFolder(Utf8Str &str) const
4422{
4423 AutoReadLock propsLock(m->pSystemProperties COMMA_LOCKVAL_SRC_POS);
4424 str = m->pSystemProperties->m->strDefaultMachineFolder;
4425}
4426
4427/**
4428 * Returns the default hard disk format from the system properties
4429 * with proper locking.
4430 * @return
4431 */
4432void VirtualBox::i_getDefaultHardDiskFormat(Utf8Str &str) const
4433{
4434 AutoReadLock propsLock(m->pSystemProperties COMMA_LOCKVAL_SRC_POS);
4435 str = m->pSystemProperties->m->strDefaultHardDiskFormat;
4436}
4437
4438const Utf8Str& VirtualBox::i_homeDir() const
4439{
4440 return m->strHomeDir;
4441}
4442
4443/**
4444 * Calculates the absolute path of the given path taking the VirtualBox home
4445 * directory as the current directory.
4446 *
4447 * @param strPath Path to calculate the absolute path for.
4448 * @param aResult Where to put the result (used only on success, can be the
4449 * same Utf8Str instance as passed in @a aPath).
4450 * @return IPRT result.
4451 *
4452 * @note Doesn't lock any object.
4453 */
4454int VirtualBox::i_calculateFullPath(const Utf8Str &strPath, Utf8Str &aResult)
4455{
4456 AutoCaller autoCaller(this);
4457 AssertComRCReturn(autoCaller.rc(), VERR_GENERAL_FAILURE);
4458
4459 /* no need to lock since strHomeDir is const */
4460
4461 char szFolder[RTPATH_MAX];
4462 size_t cbFolder = sizeof(szFolder);
4463 int vrc = RTPathAbsEx(m->strHomeDir.c_str(),
4464 strPath.c_str(),
4465 RTPATH_STR_F_STYLE_HOST,
4466 szFolder,
4467 &cbFolder);
4468 if (RT_SUCCESS(vrc))
4469 aResult = szFolder;
4470
4471 return vrc;
4472}
4473
4474/**
4475 * Copies strSource to strTarget, making it relative to the VirtualBox config folder
4476 * if it is a subdirectory thereof, or simply copying it otherwise.
4477 *
4478 * @param strSource Path to evalue and copy.
4479 * @param strTarget Buffer to receive target path.
4480 */
4481void VirtualBox::i_copyPathRelativeToConfig(const Utf8Str &strSource,
4482 Utf8Str &strTarget)
4483{
4484 AutoCaller autoCaller(this);
4485 AssertComRCReturnVoid(autoCaller.rc());
4486
4487 // no need to lock since mHomeDir is const
4488
4489 // use strTarget as a temporary buffer to hold the machine settings dir
4490 strTarget = m->strHomeDir;
4491 if (RTPathStartsWith(strSource.c_str(), strTarget.c_str()))
4492 // is relative: then append what's left
4493 strTarget.append(strSource.c_str() + strTarget.length()); // include '/'
4494 else
4495 // is not relative: then overwrite
4496 strTarget = strSource;
4497}
4498
4499// private methods
4500/////////////////////////////////////////////////////////////////////////////
4501
4502/**
4503 * Checks if there is a hard disk, DVD or floppy image with the given ID or
4504 * location already registered.
4505 *
4506 * On return, sets @a aConflict to the string describing the conflicting medium,
4507 * or sets it to @c Null if no conflicting media is found. Returns S_OK in
4508 * either case. A failure is unexpected.
4509 *
4510 * @param aId UUID to check.
4511 * @param aLocation Location to check.
4512 * @param aConflict Where to return parameters of the conflicting medium.
4513 * @param ppMedium Medium reference in case this is simply a duplicate.
4514 *
4515 * @note Locks the media tree and media objects for reading.
4516 */
4517HRESULT VirtualBox::i_checkMediaForConflicts(const Guid &aId,
4518 const Utf8Str &aLocation,
4519 Utf8Str &aConflict,
4520 ComObjPtr<Medium> *ppMedium)
4521{
4522 AssertReturn(!aId.isZero() && !aLocation.isEmpty(), E_FAIL);
4523 AssertReturn(ppMedium, E_INVALIDARG);
4524
4525 aConflict.setNull();
4526 ppMedium->setNull();
4527
4528 AutoReadLock alock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
4529
4530 HRESULT rc = S_OK;
4531
4532 ComObjPtr<Medium> pMediumFound;
4533 const char *pcszType = NULL;
4534
4535 if (aId.isValid() && !aId.isZero())
4536 rc = i_findHardDiskById(aId, false /* aSetError */, &pMediumFound);
4537 if (FAILED(rc) && !aLocation.isEmpty())
4538 rc = i_findHardDiskByLocation(aLocation, false /* aSetError */, &pMediumFound);
4539 if (SUCCEEDED(rc))
4540 pcszType = tr("hard disk");
4541
4542 if (!pcszType)
4543 {
4544 rc = i_findDVDOrFloppyImage(DeviceType_DVD, &aId, aLocation, false /* aSetError */, &pMediumFound);
4545 if (SUCCEEDED(rc))
4546 pcszType = tr("CD/DVD image");
4547 }
4548
4549 if (!pcszType)
4550 {
4551 rc = i_findDVDOrFloppyImage(DeviceType_Floppy, &aId, aLocation, false /* aSetError */, &pMediumFound);
4552 if (SUCCEEDED(rc))
4553 pcszType = tr("floppy image");
4554 }
4555
4556 if (pcszType && pMediumFound)
4557 {
4558 /* Note: no AutoCaller since bound to this */
4559 AutoReadLock mlock(pMediumFound COMMA_LOCKVAL_SRC_POS);
4560
4561 Utf8Str strLocFound = pMediumFound->i_getLocationFull();
4562 Guid idFound = pMediumFound->i_getId();
4563
4564 if ( (RTPathCompare(strLocFound.c_str(), aLocation.c_str()) == 0)
4565 && (idFound == aId)
4566 )
4567 *ppMedium = pMediumFound;
4568
4569 aConflict = Utf8StrFmt(tr("%s '%s' with UUID {%RTuuid}"),
4570 pcszType,
4571 strLocFound.c_str(),
4572 idFound.raw());
4573 }
4574
4575 return S_OK;
4576}
4577
4578/**
4579 * Checks whether the given UUID is already in use by one medium for the
4580 * given device type.
4581 *
4582 * @returns true if the UUID is already in use
4583 * fale otherwise
4584 * @param aId The UUID to check.
4585 * @param deviceType The device type the UUID is going to be checked for
4586 * conflicts.
4587 */
4588bool VirtualBox::i_isMediaUuidInUse(const Guid &aId, DeviceType_T deviceType)
4589{
4590 /* A zero UUID is invalid here, always claim that it is already used. */
4591 AssertReturn(!aId.isZero(), true);
4592
4593 AutoReadLock alock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
4594
4595 HRESULT rc = S_OK;
4596 bool fInUse = false;
4597
4598 ComObjPtr<Medium> pMediumFound;
4599
4600 switch (deviceType)
4601 {
4602 case DeviceType_HardDisk:
4603 rc = i_findHardDiskById(aId, false /* aSetError */, &pMediumFound);
4604 break;
4605 case DeviceType_DVD:
4606 rc = i_findDVDOrFloppyImage(DeviceType_DVD, &aId, Utf8Str::Empty, false /* aSetError */, &pMediumFound);
4607 break;
4608 case DeviceType_Floppy:
4609 rc = i_findDVDOrFloppyImage(DeviceType_Floppy, &aId, Utf8Str::Empty, false /* aSetError */, &pMediumFound);
4610 break;
4611 default:
4612 AssertMsgFailed(("Invalid device type %d\n", deviceType));
4613 }
4614
4615 if (SUCCEEDED(rc) && pMediumFound)
4616 fInUse = true;
4617
4618 return fInUse;
4619}
4620
4621/**
4622 * Called from Machine::prepareSaveSettings() when it has detected
4623 * that a machine has been renamed. Such renames will require
4624 * updating the global media registry during the
4625 * VirtualBox::i_saveSettings() that follows later.
4626*
4627 * When a machine is renamed, there may well be media (in particular,
4628 * diff images for snapshots) in the global registry that will need
4629 * to have their paths updated. Before 3.2, Machine::saveSettings
4630 * used to call VirtualBox::i_saveSettings implicitly, which was both
4631 * unintuitive and caused locking order problems. Now, we remember
4632 * such pending name changes with this method so that
4633 * VirtualBox::i_saveSettings() can process them properly.
4634 */
4635void VirtualBox::i_rememberMachineNameChangeForMedia(const Utf8Str &strOldConfigDir,
4636 const Utf8Str &strNewConfigDir)
4637{
4638 AutoWriteLock mediaLock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
4639
4640 Data::PendingMachineRename pmr;
4641 pmr.strConfigDirOld = strOldConfigDir;
4642 pmr.strConfigDirNew = strNewConfigDir;
4643 m->llPendingMachineRenames.push_back(pmr);
4644}
4645
4646static DECLCALLBACK(int) fntSaveMediaRegistries(void *pvUser);
4647
4648class SaveMediaRegistriesDesc : public ThreadTask
4649{
4650
4651public:
4652 SaveMediaRegistriesDesc()
4653 {
4654 m_strTaskName = "SaveMediaReg";
4655 }
4656 virtual ~SaveMediaRegistriesDesc(void) { }
4657
4658private:
4659 void handler()
4660 {
4661 try
4662 {
4663 fntSaveMediaRegistries(this);
4664 }
4665 catch(...)
4666 {
4667 LogRel(("Exception in the function fntSaveMediaRegistries()\n"));
4668 }
4669 }
4670
4671 MediaList llMedia;
4672 ComObjPtr<VirtualBox> pVirtualBox;
4673
4674 friend DECLCALLBACK(int) fntSaveMediaRegistries(void *pvUser);
4675 friend void VirtualBox::i_saveMediaRegistry(settings::MediaRegistry &mediaRegistry,
4676 const Guid &uuidRegistry,
4677 const Utf8Str &strMachineFolder);
4678};
4679
4680DECLCALLBACK(int) fntSaveMediaRegistries(void *pvUser)
4681{
4682 SaveMediaRegistriesDesc *pDesc = (SaveMediaRegistriesDesc *)pvUser;
4683 if (!pDesc)
4684 {
4685 LogRelFunc(("Thread for saving media registries lacks parameters\n"));
4686 return VERR_INVALID_PARAMETER;
4687 }
4688
4689 for (MediaList::const_iterator it = pDesc->llMedia.begin();
4690 it != pDesc->llMedia.end();
4691 ++it)
4692 {
4693 Medium *pMedium = *it;
4694 pMedium->i_markRegistriesModified();
4695 }
4696
4697 pDesc->pVirtualBox->i_saveModifiedRegistries();
4698
4699 pDesc->llMedia.clear();
4700 pDesc->pVirtualBox.setNull();
4701
4702 return VINF_SUCCESS;
4703}
4704
4705/**
4706 * Goes through all known media (hard disks, floppies and DVDs) and saves
4707 * those into the given settings::MediaRegistry structures whose registry
4708 * ID match the given UUID.
4709 *
4710 * Before actually writing to the structures, all media paths (not just the
4711 * ones for the given registry) are updated if machines have been renamed
4712 * since the last call.
4713 *
4714 * This gets called from two contexts:
4715 *
4716 * -- VirtualBox::i_saveSettings() with the UUID of the global registry
4717 * (VirtualBox::Data.uuidRegistry); this will save those media
4718 * which had been loaded from the global registry or have been
4719 * attached to a "legacy" machine which can't save its own registry;
4720 *
4721 * -- Machine::saveSettings() with the UUID of a machine, if a medium
4722 * has been attached to a machine created with VirtualBox 4.0 or later.
4723 *
4724 * Media which have only been temporarily opened without having been
4725 * attached to a machine have a NULL registry UUID and therefore don't
4726 * get saved.
4727 *
4728 * This locks the media tree. Throws HRESULT on errors!
4729 *
4730 * @param mediaRegistry Settings structure to fill.
4731 * @param uuidRegistry The UUID of the media registry; either a machine UUID
4732 * (if machine registry) or the UUID of the global registry.
4733 * @param strMachineFolder The machine folder for relative paths, if machine registry, or an empty string otherwise.
4734 */
4735void VirtualBox::i_saveMediaRegistry(settings::MediaRegistry &mediaRegistry,
4736 const Guid &uuidRegistry,
4737 const Utf8Str &strMachineFolder)
4738{
4739 // lock all media for the following; use a write lock because we're
4740 // modifying the PendingMachineRenamesList, which is protected by this
4741 AutoWriteLock mediaLock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
4742
4743 // if a machine was renamed, then we'll need to refresh media paths
4744 if (m->llPendingMachineRenames.size())
4745 {
4746 // make a single list from the three media lists so we don't need three loops
4747 MediaList llAllMedia;
4748 // with hard disks, we must use the map, not the list, because the list only has base images
4749 for (HardDiskMap::iterator it = m->mapHardDisks.begin(); it != m->mapHardDisks.end(); ++it)
4750 llAllMedia.push_back(it->second);
4751 for (MediaList::iterator it = m->allDVDImages.begin(); it != m->allDVDImages.end(); ++it)
4752 llAllMedia.push_back(*it);
4753 for (MediaList::iterator it = m->allFloppyImages.begin(); it != m->allFloppyImages.end(); ++it)
4754 llAllMedia.push_back(*it);
4755
4756 SaveMediaRegistriesDesc *pDesc = new SaveMediaRegistriesDesc();
4757 for (MediaList::iterator it = llAllMedia.begin();
4758 it != llAllMedia.end();
4759 ++it)
4760 {
4761 Medium *pMedium = *it;
4762 for (Data::PendingMachineRenamesList::iterator it2 = m->llPendingMachineRenames.begin();
4763 it2 != m->llPendingMachineRenames.end();
4764 ++it2)
4765 {
4766 const Data::PendingMachineRename &pmr = *it2;
4767 HRESULT rc = pMedium->i_updatePath(pmr.strConfigDirOld,
4768 pmr.strConfigDirNew);
4769 if (SUCCEEDED(rc))
4770 {
4771 // Remember which medium objects has been changed,
4772 // to trigger saving their registries later.
4773 pDesc->llMedia.push_back(pMedium);
4774 } else if (rc == VBOX_E_FILE_ERROR)
4775 /* nothing */;
4776 else
4777 AssertComRC(rc);
4778 }
4779 }
4780 // done, don't do it again until we have more machine renames
4781 m->llPendingMachineRenames.clear();
4782
4783 if (pDesc->llMedia.size())
4784 {
4785 // Handle the media registry saving in a separate thread, to
4786 // avoid giant locking problems and passing up the list many
4787 // levels up to whoever triggered saveSettings, as there are
4788 // lots of places which would need to handle saving more settings.
4789 pDesc->pVirtualBox = this;
4790
4791 //the function createThread() takes ownership of pDesc
4792 //so there is no need to use delete operator for pDesc
4793 //after calling this function
4794 HRESULT hr = pDesc->createThread();
4795 pDesc = NULL;
4796
4797 if (FAILED(hr))
4798 {
4799 // failure means that settings aren't saved, but there isn't
4800 // much we can do besides avoiding memory leaks
4801 LogRelFunc(("Failed to create thread for saving media registries (%Rhr)\n", hr));
4802 }
4803 }
4804 else
4805 delete pDesc;
4806 }
4807
4808 struct {
4809 MediaOList &llSource;
4810 settings::MediaList &llTarget;
4811 } s[] =
4812 {
4813 // hard disks
4814 { m->allHardDisks, mediaRegistry.llHardDisks },
4815 // CD/DVD images
4816 { m->allDVDImages, mediaRegistry.llDvdImages },
4817 // floppy images
4818 { m->allFloppyImages, mediaRegistry.llFloppyImages }
4819 };
4820
4821 HRESULT rc;
4822
4823 for (size_t i = 0; i < RT_ELEMENTS(s); ++i)
4824 {
4825 MediaOList &llSource = s[i].llSource;
4826 settings::MediaList &llTarget = s[i].llTarget;
4827 llTarget.clear();
4828 for (MediaList::const_iterator it = llSource.begin();
4829 it != llSource.end();
4830 ++it)
4831 {
4832 Medium *pMedium = *it;
4833 AutoCaller autoCaller(pMedium);
4834 if (FAILED(autoCaller.rc())) throw autoCaller.rc();
4835 AutoReadLock mlock(pMedium COMMA_LOCKVAL_SRC_POS);
4836
4837 if (pMedium->i_isInRegistry(uuidRegistry))
4838 {
4839 llTarget.push_back(settings::Medium::Empty);
4840 rc = pMedium->i_saveSettings(llTarget.back(), strMachineFolder); // this recurses into child hard disks
4841 if (FAILED(rc))
4842 {
4843 llTarget.pop_back();
4844 throw rc;
4845 }
4846 }
4847 }
4848 }
4849}
4850
4851/**
4852 * Helper function which actually writes out VirtualBox.xml, the main configuration file.
4853 * Gets called from the public VirtualBox::SaveSettings() as well as from various other
4854 * places internally when settings need saving.
4855 *
4856 * @note Caller must have locked the VirtualBox object for writing and must not hold any
4857 * other locks since this locks all kinds of member objects and trees temporarily,
4858 * which could cause conflicts.
4859 */
4860HRESULT VirtualBox::i_saveSettings()
4861{
4862 AutoCaller autoCaller(this);
4863 AssertComRCReturnRC(autoCaller.rc());
4864
4865 AssertReturn(isWriteLockOnCurrentThread(), E_FAIL);
4866 AssertReturn(!m->strSettingsFilePath.isEmpty(), E_FAIL);
4867
4868 i_unmarkRegistryModified(i_getGlobalRegistryId());
4869
4870 HRESULT rc = S_OK;
4871
4872 try
4873 {
4874 // machines
4875 m->pMainConfigFile->llMachines.clear();
4876 {
4877 AutoReadLock machinesLock(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4878 for (MachinesOList::iterator it = m->allMachines.begin();
4879 it != m->allMachines.end();
4880 ++it)
4881 {
4882 Machine *pMachine = *it;
4883 // save actual machine registry entry
4884 settings::MachineRegistryEntry mre;
4885 rc = pMachine->i_saveRegistryEntry(mre);
4886 m->pMainConfigFile->llMachines.push_back(mre);
4887 }
4888 }
4889
4890 i_saveMediaRegistry(m->pMainConfigFile->mediaRegistry,
4891 m->uuidMediaRegistry, // global media registry ID
4892 Utf8Str::Empty); // strMachineFolder
4893
4894 m->pMainConfigFile->llDhcpServers.clear();
4895 {
4896 AutoReadLock dhcpLock(m->allDHCPServers.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4897 for (DHCPServersOList::const_iterator it = m->allDHCPServers.begin();
4898 it != m->allDHCPServers.end();
4899 ++it)
4900 {
4901 settings::DHCPServer d;
4902 rc = (*it)->i_saveSettings(d);
4903 if (FAILED(rc)) throw rc;
4904 m->pMainConfigFile->llDhcpServers.push_back(d);
4905 }
4906 }
4907
4908#ifdef VBOX_WITH_NAT_SERVICE
4909 /* Saving NAT Network configuration */
4910 m->pMainConfigFile->llNATNetworks.clear();
4911 {
4912 AutoReadLock natNetworkLock(m->allNATNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4913 for (NATNetworksOList::const_iterator it = m->allNATNetworks.begin();
4914 it != m->allNATNetworks.end();
4915 ++it)
4916 {
4917 settings::NATNetwork n;
4918 rc = (*it)->i_saveSettings(n);
4919 if (FAILED(rc)) throw rc;
4920 m->pMainConfigFile->llNATNetworks.push_back(n);
4921 }
4922 }
4923#endif
4924
4925#ifdef VBOX_WITH_VMNET
4926 m->pMainConfigFile->llHostOnlyNetworks.clear();
4927 {
4928 AutoReadLock hostOnlyNetworkLock(m->allHostOnlyNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4929 for (HostOnlyNetworksOList::const_iterator it = m->allHostOnlyNetworks.begin();
4930 it != m->allHostOnlyNetworks.end();
4931 ++it)
4932 {
4933 settings::HostOnlyNetwork n;
4934 rc = (*it)->i_saveSettings(n);
4935 if (FAILED(rc)) throw rc;
4936 m->pMainConfigFile->llHostOnlyNetworks.push_back(n);
4937 }
4938 }
4939#endif /* VBOX_WITH_VMNET */
4940
4941#ifdef VBOX_WITH_CLOUD_NET
4942 m->pMainConfigFile->llCloudNetworks.clear();
4943 {
4944 AutoReadLock cloudNetworkLock(m->allCloudNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
4945 for (CloudNetworksOList::const_iterator it = m->allCloudNetworks.begin();
4946 it != m->allCloudNetworks.end();
4947 ++it)
4948 {
4949 settings::CloudNetwork n;
4950 rc = (*it)->i_saveSettings(n);
4951 if (FAILED(rc)) throw rc;
4952 m->pMainConfigFile->llCloudNetworks.push_back(n);
4953 }
4954 }
4955#endif /* VBOX_WITH_CLOUD_NET */
4956 // leave extra data alone, it's still in the config file
4957
4958 // host data (USB filters)
4959 rc = m->pHost->i_saveSettings(m->pMainConfigFile->host);
4960 if (FAILED(rc)) throw rc;
4961
4962 rc = m->pSystemProperties->i_saveSettings(m->pMainConfigFile->systemProperties);
4963 if (FAILED(rc)) throw rc;
4964
4965 // and write out the XML, still under the lock
4966 m->pMainConfigFile->write(m->strSettingsFilePath);
4967 }
4968 catch (HRESULT err)
4969 {
4970 /* we assume that error info is set by the thrower */
4971 rc = err;
4972 }
4973 catch (...)
4974 {
4975 rc = VirtualBoxBase::handleUnexpectedExceptions(this, RT_SRC_POS);
4976 }
4977
4978 return rc;
4979}
4980
4981/**
4982 * Helper to register the machine.
4983 *
4984 * When called during VirtualBox startup, adds the given machine to the
4985 * collection of registered machines. Otherwise tries to mark the machine
4986 * as registered, and, if succeeded, adds it to the collection and
4987 * saves global settings.
4988 *
4989 * @note The caller must have added itself as a caller of the @a aMachine
4990 * object if calls this method not on VirtualBox startup.
4991 *
4992 * @param aMachine machine to register
4993 *
4994 * @note Locks objects!
4995 */
4996HRESULT VirtualBox::i_registerMachine(Machine *aMachine)
4997{
4998 ComAssertRet(aMachine, E_INVALIDARG);
4999
5000 AutoCaller autoCaller(this);
5001 if (FAILED(autoCaller.rc())) return autoCaller.rc();
5002
5003 HRESULT rc = S_OK;
5004
5005 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5006
5007 {
5008 ComObjPtr<Machine> pMachine;
5009 rc = i_findMachine(aMachine->i_getId(),
5010 true /* fPermitInaccessible */,
5011 false /* aDoSetError */,
5012 &pMachine);
5013 if (SUCCEEDED(rc))
5014 {
5015 /* sanity */
5016 AutoLimitedCaller machCaller(pMachine);
5017 AssertComRC(machCaller.rc());
5018
5019 return setError(E_INVALIDARG,
5020 tr("Registered machine with UUID {%RTuuid} ('%s') already exists"),
5021 aMachine->i_getId().raw(),
5022 pMachine->i_getSettingsFileFull().c_str());
5023 }
5024
5025 ComAssertRet(rc == VBOX_E_OBJECT_NOT_FOUND, rc);
5026 rc = S_OK;
5027 }
5028
5029 if (getObjectState().getState() != ObjectState::InInit)
5030 {
5031 rc = aMachine->i_prepareRegister();
5032 if (FAILED(rc)) return rc;
5033 }
5034
5035 /* add to the collection of registered machines */
5036 m->allMachines.addChild(aMachine);
5037
5038 if (getObjectState().getState() != ObjectState::InInit)
5039 rc = i_saveSettings();
5040
5041 return rc;
5042}
5043
5044/**
5045 * Remembers the given medium object by storing it in either the global
5046 * medium registry or a machine one.
5047 *
5048 * @note Caller must hold the media tree lock for writing; in addition, this
5049 * locks @a pMedium for reading
5050 *
5051 * @param pMedium Medium object to remember.
5052 * @param ppMedium Actually stored medium object. Can be different if due
5053 * to an unavoidable race there was a duplicate Medium object
5054 * created.
5055 * @param mediaTreeLock Reference to the AutoWriteLock holding the media tree
5056 * lock, necessary to release it in the right spot.
5057 * @param fCalledFromMediumInit Flag whether this is called from Medium::init().
5058 * @return
5059 */
5060HRESULT VirtualBox::i_registerMedium(const ComObjPtr<Medium> &pMedium,
5061 ComObjPtr<Medium> *ppMedium,
5062 AutoWriteLock &mediaTreeLock,
5063 bool fCalledFromMediumInit)
5064{
5065 AssertReturn(pMedium != NULL, E_INVALIDARG);
5066 AssertReturn(ppMedium != NULL, E_INVALIDARG);
5067
5068 // caller must hold the media tree write lock
5069 Assert(i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5070
5071 AutoCaller autoCaller(this);
5072 AssertComRCReturnRC(autoCaller.rc());
5073
5074 AutoCaller mediumCaller(pMedium);
5075 AssertComRCReturnRC(mediumCaller.rc());
5076
5077 bool fAddToGlobalRegistry = false;
5078 const char *pszDevType = NULL;
5079 Guid regId;
5080 ObjectsList<Medium> *pall = NULL;
5081 DeviceType_T devType;
5082 {
5083 AutoReadLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
5084 devType = pMedium->i_getDeviceType();
5085
5086 if (!pMedium->i_getFirstRegistryMachineId(regId))
5087 fAddToGlobalRegistry = true;
5088 }
5089 switch (devType)
5090 {
5091 case DeviceType_HardDisk:
5092 pall = &m->allHardDisks;
5093 pszDevType = tr("hard disk");
5094 break;
5095 case DeviceType_DVD:
5096 pszDevType = tr("DVD image");
5097 pall = &m->allDVDImages;
5098 break;
5099 case DeviceType_Floppy:
5100 pszDevType = tr("floppy image");
5101 pall = &m->allFloppyImages;
5102 break;
5103 default:
5104 AssertMsgFailedReturn(("invalid device type %d", devType), E_INVALIDARG);
5105 }
5106
5107 Guid id;
5108 Utf8Str strLocationFull;
5109 ComObjPtr<Medium> pParent;
5110 {
5111 AutoReadLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
5112 id = pMedium->i_getId();
5113 strLocationFull = pMedium->i_getLocationFull();
5114 pParent = pMedium->i_getParent();
5115 }
5116
5117 HRESULT rc;
5118
5119 Utf8Str strConflict;
5120 ComObjPtr<Medium> pDupMedium;
5121 rc = i_checkMediaForConflicts(id,
5122 strLocationFull,
5123 strConflict,
5124 &pDupMedium);
5125 if (FAILED(rc)) return rc;
5126
5127 if (pDupMedium.isNull())
5128 {
5129 if (strConflict.length())
5130 return setError(E_INVALIDARG,
5131 tr("Cannot register the %s '%s' {%RTuuid} because a %s already exists"),
5132 pszDevType,
5133 strLocationFull.c_str(),
5134 id.raw(),
5135 strConflict.c_str(),
5136 m->strSettingsFilePath.c_str());
5137
5138 // add to the collection if it is a base medium
5139 if (pParent.isNull())
5140 pall->getList().push_back(pMedium);
5141
5142 // store all hard disks (even differencing images) in the map
5143 if (devType == DeviceType_HardDisk)
5144 m->mapHardDisks[id] = pMedium;
5145
5146 mediumCaller.release();
5147 mediaTreeLock.release();
5148 *ppMedium = pMedium;
5149 }
5150 else
5151 {
5152 // pMedium may be the last reference to the Medium object, and the
5153 // caller may have specified the same ComObjPtr as the output parameter.
5154 // In this case the assignment will uninit the object, and we must not
5155 // have a caller pending.
5156 mediumCaller.release();
5157 // release media tree lock, must not be held at uninit time.
5158 mediaTreeLock.release();
5159 // must not hold the media tree write lock any more
5160 Assert(!i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5161 *ppMedium = pDupMedium;
5162 }
5163
5164 if (fAddToGlobalRegistry)
5165 {
5166 AutoWriteLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
5167 if ( fCalledFromMediumInit
5168 ? (*ppMedium)->i_addRegistryNoCallerCheck(m->uuidMediaRegistry)
5169 : (*ppMedium)->i_addRegistry(m->uuidMediaRegistry))
5170 i_markRegistryModified(m->uuidMediaRegistry);
5171 }
5172
5173 // Restore the initial lock state, so that no unexpected lock changes are
5174 // done by this method, which would need adjustments everywhere.
5175 mediaTreeLock.acquire();
5176
5177 return rc;
5178}
5179
5180/**
5181 * Removes the given medium from the respective registry.
5182 *
5183 * @param pMedium Hard disk object to remove.
5184 *
5185 * @note Caller must hold the media tree lock for writing; in addition, this locks @a pMedium for reading
5186 */
5187HRESULT VirtualBox::i_unregisterMedium(Medium *pMedium)
5188{
5189 AssertReturn(pMedium != NULL, E_INVALIDARG);
5190
5191 AutoCaller autoCaller(this);
5192 AssertComRCReturnRC(autoCaller.rc());
5193
5194 AutoCaller mediumCaller(pMedium);
5195 AssertComRCReturnRC(mediumCaller.rc());
5196
5197 // caller must hold the media tree write lock
5198 Assert(i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5199
5200 Guid id;
5201 ComObjPtr<Medium> pParent;
5202 DeviceType_T devType;
5203 {
5204 AutoReadLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
5205 id = pMedium->i_getId();
5206 pParent = pMedium->i_getParent();
5207 devType = pMedium->i_getDeviceType();
5208 }
5209
5210 ObjectsList<Medium> *pall = NULL;
5211 switch (devType)
5212 {
5213 case DeviceType_HardDisk:
5214 pall = &m->allHardDisks;
5215 break;
5216 case DeviceType_DVD:
5217 pall = &m->allDVDImages;
5218 break;
5219 case DeviceType_Floppy:
5220 pall = &m->allFloppyImages;
5221 break;
5222 default:
5223 AssertMsgFailedReturn(("invalid device type %d", devType), E_INVALIDARG);
5224 }
5225
5226 // remove from the collection if it is a base medium
5227 if (pParent.isNull())
5228 pall->getList().remove(pMedium);
5229
5230 // remove all hard disks (even differencing images) from map
5231 if (devType == DeviceType_HardDisk)
5232 {
5233 size_t cnt = m->mapHardDisks.erase(id);
5234 Assert(cnt == 1);
5235 NOREF(cnt);
5236 }
5237
5238 return S_OK;
5239}
5240
5241/**
5242 * Unregisters all Medium objects which belong to the given machine registry.
5243 * Gets called from Machine::uninit() just before the machine object dies
5244 * and must only be called with a machine UUID as the registry ID.
5245 *
5246 * Locks the media tree.
5247 *
5248 * @param uuidMachine Medium registry ID (always a machine UUID)
5249 * @return
5250 */
5251HRESULT VirtualBox::i_unregisterMachineMedia(const Guid &uuidMachine)
5252{
5253 Assert(!uuidMachine.isZero() && uuidMachine.isValid());
5254
5255 LogFlowFuncEnter();
5256
5257 AutoCaller autoCaller(this);
5258 AssertComRCReturnRC(autoCaller.rc());
5259
5260 MediaList llMedia2Close;
5261
5262 {
5263 AutoWriteLock tlock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5264
5265 for (MediaOList::iterator it = m->allHardDisks.getList().begin();
5266 it != m->allHardDisks.getList().end();
5267 ++it)
5268 {
5269 ComObjPtr<Medium> pMedium = *it;
5270 AutoCaller medCaller(pMedium);
5271 if (FAILED(medCaller.rc())) return medCaller.rc();
5272 AutoReadLock medlock(pMedium COMMA_LOCKVAL_SRC_POS);
5273 LogRel(("Looking at medium %RTuuid\n", pMedium->i_getId().raw()));
5274
5275 /* If the medium is still in the registry then either some code is
5276 * seriously buggy (unregistering a VM removes it automatically),
5277 * or the reference to a Machine object is destroyed without ever
5278 * being registered. The second condition checks if a medium is
5279 * in no registry, which indicates (set by unregistering) that a
5280 * medium is not used by any other VM and thus can be closed. */
5281 Guid dummy;
5282 if ( pMedium->i_isInRegistry(uuidMachine)
5283 || !pMedium->i_getFirstRegistryMachineId(dummy))
5284 {
5285 /* Collect all medium objects into llMedia2Close,
5286 * in right order for closing. */
5287 MediaList llMediaTodo;
5288 llMediaTodo.push_back(pMedium);
5289
5290 while (llMediaTodo.size() > 0)
5291 {
5292 ComObjPtr<Medium> pCurrent = llMediaTodo.front();
5293 llMediaTodo.pop_front();
5294
5295 /* Add to front, order must be children then parent. */
5296 LogRel(("Pushing medium %RTuuid (front)\n", pCurrent->i_getId().raw()));
5297 llMedia2Close.push_front(pCurrent);
5298
5299 /* process all children */
5300 MediaList::const_iterator itBegin = pCurrent->i_getChildren().begin();
5301 MediaList::const_iterator itEnd = pCurrent->i_getChildren().end();
5302 for (MediaList::const_iterator it2 = itBegin; it2 != itEnd; ++it2)
5303 llMediaTodo.push_back(*it2);
5304 }
5305 }
5306 }
5307 }
5308
5309 for (MediaList::iterator it = llMedia2Close.begin();
5310 it != llMedia2Close.end();
5311 ++it)
5312 {
5313 ComObjPtr<Medium> pMedium = *it;
5314 LogRel(("Closing medium %RTuuid\n", pMedium->i_getId().raw()));
5315 AutoCaller mac(pMedium);
5316 pMedium->i_close(mac);
5317 }
5318
5319 LogFlowFuncLeave();
5320
5321 return S_OK;
5322}
5323
5324/**
5325 * Removes the given machine object from the internal list of registered machines.
5326 * Called from Machine::Unregister().
5327 * @param pMachine
5328 * @param aCleanupMode How to handle medium attachments. For
5329 * CleanupMode_UnregisterOnly the associated medium objects will be
5330 * closed when the Machine object is uninitialized, otherwise they will
5331 * go to the global registry if no better registry is found.
5332 * @param id UUID of the machine. Must be passed by caller because machine may be dead by this time.
5333 * @return
5334 */
5335HRESULT VirtualBox::i_unregisterMachine(Machine *pMachine,
5336 CleanupMode_T aCleanupMode,
5337 const Guid &id)
5338{
5339 // remove from the collection of registered machines
5340 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5341 m->allMachines.removeChild(pMachine);
5342 // save the global registry
5343 HRESULT rc = i_saveSettings();
5344 alock.release();
5345
5346 /*
5347 * Now go over all known media and checks if they were registered in the
5348 * media registry of the given machine. Each such medium is then moved to
5349 * a different media registry to make sure it doesn't get lost since its
5350 * media registry is about to go away.
5351 *
5352 * This fixes the following use case: Image A.vdi of machine A is also used
5353 * by machine B, but registered in the media registry of machine A. If machine
5354 * A is deleted, A.vdi must be moved to the registry of B, or else B will
5355 * become inaccessible.
5356 */
5357 {
5358 AutoReadLock tlock(i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5359 // iterate over the list of *base* images
5360 for (MediaOList::iterator it = m->allHardDisks.getList().begin();
5361 it != m->allHardDisks.getList().end();
5362 ++it)
5363 {
5364 ComObjPtr<Medium> &pMedium = *it;
5365 AutoCaller medCaller(pMedium);
5366 if (FAILED(medCaller.rc())) return medCaller.rc();
5367 AutoWriteLock mlock(pMedium COMMA_LOCKVAL_SRC_POS);
5368
5369 if (pMedium->i_removeRegistryAll(id))
5370 {
5371 // machine ID was found in base medium's registry list:
5372 // move this base image and all its children to another registry then
5373 // 1) first, find a better registry to add things to
5374 const Guid *puuidBetter = pMedium->i_getAnyMachineBackref(id);
5375 if (puuidBetter)
5376 {
5377 // 2) better registry found: then use that
5378 pMedium->i_addRegistryAll(*puuidBetter);
5379 // 3) and make sure the registry is saved below
5380 mlock.release();
5381 tlock.release();
5382 i_markRegistryModified(*puuidBetter);
5383 tlock.acquire();
5384 mlock.acquire();
5385 }
5386 else if (aCleanupMode != CleanupMode_UnregisterOnly)
5387 {
5388 pMedium->i_addRegistryAll(i_getGlobalRegistryId());
5389 mlock.release();
5390 tlock.release();
5391 i_markRegistryModified(i_getGlobalRegistryId());
5392 tlock.acquire();
5393 mlock.acquire();
5394 }
5395 }
5396 }
5397 }
5398
5399 i_saveModifiedRegistries();
5400
5401 /* fire an event */
5402 i_onMachineRegistered(id, FALSE);
5403
5404 return rc;
5405}
5406
5407/**
5408 * Marks the registry for @a uuid as modified, so that it's saved in a later
5409 * call to saveModifiedRegistries().
5410 *
5411 * @param uuid
5412 */
5413void VirtualBox::i_markRegistryModified(const Guid &uuid)
5414{
5415 if (uuid == i_getGlobalRegistryId())
5416 ASMAtomicIncU64(&m->uRegistryNeedsSaving);
5417 else
5418 {
5419 ComObjPtr<Machine> pMachine;
5420 HRESULT rc = i_findMachine(uuid,
5421 false /* fPermitInaccessible */,
5422 false /* aSetError */,
5423 &pMachine);
5424 if (SUCCEEDED(rc))
5425 {
5426 AutoCaller machineCaller(pMachine);
5427 if (SUCCEEDED(machineCaller.rc()) && pMachine->i_isAccessible())
5428 ASMAtomicIncU64(&pMachine->uRegistryNeedsSaving);
5429 }
5430 }
5431}
5432
5433/**
5434 * Marks the registry for @a uuid as unmodified, so that it's not saved in
5435 * a later call to saveModifiedRegistries().
5436 *
5437 * @param uuid
5438 */
5439void VirtualBox::i_unmarkRegistryModified(const Guid &uuid)
5440{
5441 uint64_t uOld;
5442 if (uuid == i_getGlobalRegistryId())
5443 {
5444 for (;;)
5445 {
5446 uOld = ASMAtomicReadU64(&m->uRegistryNeedsSaving);
5447 if (!uOld)
5448 break;
5449 if (ASMAtomicCmpXchgU64(&m->uRegistryNeedsSaving, 0, uOld))
5450 break;
5451 ASMNopPause();
5452 }
5453 }
5454 else
5455 {
5456 ComObjPtr<Machine> pMachine;
5457 HRESULT rc = i_findMachine(uuid,
5458 false /* fPermitInaccessible */,
5459 false /* aSetError */,
5460 &pMachine);
5461 if (SUCCEEDED(rc))
5462 {
5463 AutoCaller machineCaller(pMachine);
5464 if (SUCCEEDED(machineCaller.rc()))
5465 {
5466 for (;;)
5467 {
5468 uOld = ASMAtomicReadU64(&pMachine->uRegistryNeedsSaving);
5469 if (!uOld)
5470 break;
5471 if (ASMAtomicCmpXchgU64(&pMachine->uRegistryNeedsSaving, 0, uOld))
5472 break;
5473 ASMNopPause();
5474 }
5475 }
5476 }
5477 }
5478}
5479
5480/**
5481 * Saves all settings files according to the modified flags in the Machine
5482 * objects and in the VirtualBox object.
5483 *
5484 * This locks machines and the VirtualBox object as necessary, so better not
5485 * hold any locks before calling this.
5486 *
5487 * @return
5488 */
5489void VirtualBox::i_saveModifiedRegistries()
5490{
5491 HRESULT rc = S_OK;
5492 bool fNeedsGlobalSettings = false;
5493 uint64_t uOld;
5494
5495 {
5496 AutoReadLock alock(m->allMachines.getLockHandle() COMMA_LOCKVAL_SRC_POS);
5497 for (MachinesOList::iterator it = m->allMachines.begin();
5498 it != m->allMachines.end();
5499 ++it)
5500 {
5501 const ComObjPtr<Machine> &pMachine = *it;
5502
5503 for (;;)
5504 {
5505 uOld = ASMAtomicReadU64(&pMachine->uRegistryNeedsSaving);
5506 if (!uOld)
5507 break;
5508 if (ASMAtomicCmpXchgU64(&pMachine->uRegistryNeedsSaving, 0, uOld))
5509 break;
5510 ASMNopPause();
5511 }
5512 if (uOld)
5513 {
5514 AutoCaller autoCaller(pMachine);
5515 if (FAILED(autoCaller.rc()))
5516 continue;
5517 /* object is already dead, no point in saving settings */
5518 if (getObjectState().getState() != ObjectState::Ready)
5519 continue;
5520 AutoWriteLock mlock(pMachine COMMA_LOCKVAL_SRC_POS);
5521 rc = pMachine->i_saveSettings(&fNeedsGlobalSettings, mlock,
5522 Machine::SaveS_Force); // caller said save, so stop arguing
5523 }
5524 }
5525 }
5526
5527 for (;;)
5528 {
5529 uOld = ASMAtomicReadU64(&m->uRegistryNeedsSaving);
5530 if (!uOld)
5531 break;
5532 if (ASMAtomicCmpXchgU64(&m->uRegistryNeedsSaving, 0, uOld))
5533 break;
5534 ASMNopPause();
5535 }
5536 if (uOld || fNeedsGlobalSettings)
5537 {
5538 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5539 rc = i_saveSettings();
5540 }
5541 NOREF(rc); /* XXX */
5542}
5543
5544
5545/* static */
5546const com::Utf8Str &VirtualBox::i_getVersionNormalized()
5547{
5548 return sVersionNormalized;
5549}
5550
5551/**
5552 * Checks if the path to the specified file exists, according to the path
5553 * information present in the file name. Optionally the path is created.
5554 *
5555 * Note that the given file name must contain the full path otherwise the
5556 * extracted relative path will be created based on the current working
5557 * directory which is normally unknown.
5558 *
5559 * @param strFileName Full file name which path is checked/created.
5560 * @param fCreate Flag if the path should be created if it doesn't exist.
5561 *
5562 * @return Extended error information on failure to check/create the path.
5563 */
5564/* static */
5565HRESULT VirtualBox::i_ensureFilePathExists(const Utf8Str &strFileName, bool fCreate)
5566{
5567 Utf8Str strDir(strFileName);
5568 strDir.stripFilename();
5569 if (!RTDirExists(strDir.c_str()))
5570 {
5571 if (fCreate)
5572 {
5573 int vrc = RTDirCreateFullPath(strDir.c_str(), 0700);
5574 if (RT_FAILURE(vrc))
5575 return i_setErrorStaticBoth(VBOX_E_IPRT_ERROR, vrc,
5576 tr("Could not create the directory '%s' (%Rrc)"),
5577 strDir.c_str(),
5578 vrc);
5579 }
5580 else
5581 return i_setErrorStaticBoth(VBOX_E_IPRT_ERROR, VERR_FILE_NOT_FOUND,
5582 tr("Directory '%s' does not exist"), strDir.c_str());
5583 }
5584
5585 return S_OK;
5586}
5587
5588const Utf8Str& VirtualBox::i_settingsFilePath()
5589{
5590 return m->strSettingsFilePath;
5591}
5592
5593/**
5594 * Returns the lock handle which protects the machines list. As opposed
5595 * to version 3.1 and earlier, these lists are no longer protected by the
5596 * VirtualBox lock, but by this more specialized lock. Mind the locking
5597 * order: always request this lock after the VirtualBox object lock but
5598 * before the locks of any machine object. See AutoLock.h.
5599 */
5600RWLockHandle& VirtualBox::i_getMachinesListLockHandle()
5601{
5602 return m->lockMachines;
5603}
5604
5605/**
5606 * Returns the lock handle which protects the media trees (hard disks,
5607 * DVDs, floppies). As opposed to version 3.1 and earlier, these lists
5608 * are no longer protected by the VirtualBox lock, but by this more
5609 * specialized lock. Mind the locking order: always request this lock
5610 * after the VirtualBox object lock but before the locks of the media
5611 * objects contained in these lists. See AutoLock.h.
5612 */
5613RWLockHandle& VirtualBox::i_getMediaTreeLockHandle()
5614{
5615 return m->lockMedia;
5616}
5617
5618/**
5619 * Thread function that handles custom events posted using #i_postEvent().
5620 */
5621// static
5622DECLCALLBACK(int) VirtualBox::AsyncEventHandler(RTTHREAD thread, void *pvUser)
5623{
5624 LogFlowFuncEnter();
5625
5626 AssertReturn(pvUser, VERR_INVALID_POINTER);
5627
5628 HRESULT hr = com::Initialize();
5629 if (FAILED(hr))
5630 return VERR_COM_UNEXPECTED;
5631
5632 int rc = VINF_SUCCESS;
5633
5634 try
5635 {
5636 /* Create an event queue for the current thread. */
5637 EventQueue *pEventQueue = new EventQueue();
5638 AssertPtr(pEventQueue);
5639
5640 /* Return the queue to the one who created this thread. */
5641 *(static_cast <EventQueue **>(pvUser)) = pEventQueue;
5642
5643 /* signal that we're ready. */
5644 RTThreadUserSignal(thread);
5645
5646 /*
5647 * In case of spurious wakeups causing VERR_TIMEOUTs and/or other return codes
5648 * we must not stop processing events and delete the pEventQueue object. This must
5649 * be done ONLY when we stop this loop via interruptEventQueueProcessing().
5650 * See @bugref{5724}.
5651 */
5652 for (;;)
5653 {
5654 rc = pEventQueue->processEventQueue(RT_INDEFINITE_WAIT);
5655 if (rc == VERR_INTERRUPTED)
5656 {
5657 LogFlow(("Event queue processing ended with rc=%Rrc\n", rc));
5658 rc = VINF_SUCCESS; /* Set success when exiting. */
5659 break;
5660 }
5661 }
5662
5663 delete pEventQueue;
5664 }
5665 catch (std::bad_alloc &ba)
5666 {
5667 rc = VERR_NO_MEMORY;
5668 NOREF(ba);
5669 }
5670
5671 com::Shutdown();
5672
5673 LogFlowFuncLeaveRC(rc);
5674 return rc;
5675}
5676
5677
5678////////////////////////////////////////////////////////////////////////////////
5679
5680#if 0 /* obsoleted by AsyncEvent */
5681/**
5682 * Prepare the event using the overwritten #prepareEventDesc method and fire.
5683 *
5684 * @note Locks the managed VirtualBox object for reading but leaves the lock
5685 * before iterating over callbacks and calling their methods.
5686 */
5687void *VirtualBox::CallbackEvent::handler()
5688{
5689 if (!mVirtualBox)
5690 return NULL;
5691
5692 AutoCaller autoCaller(mVirtualBox);
5693 if (!autoCaller.isOk())
5694 {
5695 Log1WarningFunc(("VirtualBox has been uninitialized (state=%d), the callback event is discarded!\n",
5696 mVirtualBox->getObjectState().getState()));
5697 /* We don't need mVirtualBox any more, so release it */
5698 mVirtualBox = NULL;
5699 return NULL;
5700 }
5701
5702 {
5703 VBoxEventDesc evDesc;
5704 prepareEventDesc(mVirtualBox->m->pEventSource, evDesc);
5705
5706 evDesc.fire(/* don't wait for delivery */0);
5707 }
5708
5709 mVirtualBox = NULL; /* Not needed any longer. Still make sense to do this? */
5710 return NULL;
5711}
5712#endif
5713
5714/**
5715 * Called on the event handler thread.
5716 *
5717 * @note Locks the managed VirtualBox object for reading but leaves the lock
5718 * before iterating over callbacks and calling their methods.
5719 */
5720void *VirtualBox::AsyncEvent::handler()
5721{
5722 if (mVirtualBox)
5723 {
5724 AutoCaller autoCaller(mVirtualBox);
5725 if (autoCaller.isOk())
5726 {
5727 VBoxEventDesc EvtDesc(mEvent, mVirtualBox->m->pEventSource);
5728 EvtDesc.fire(/* don't wait for delivery */0);
5729 }
5730 else
5731 Log1WarningFunc(("VirtualBox has been uninitialized (state=%d), the callback event is discarded!\n",
5732 mVirtualBox->getObjectState().getState()));
5733 mVirtualBox = NULL; /* Old code did this, not really necessary, but whatever. */
5734 }
5735 mEvent.setNull();
5736 return NULL;
5737}
5738
5739//STDMETHODIMP VirtualBox::CreateDHCPServerForInterface(/*IHostNetworkInterface * aIinterface,*/ IDHCPServer ** aServer)
5740//{
5741// return E_NOTIMPL;
5742//}
5743
5744HRESULT VirtualBox::createDHCPServer(const com::Utf8Str &aName,
5745 ComPtr<IDHCPServer> &aServer)
5746{
5747 ComObjPtr<DHCPServer> dhcpServer;
5748 dhcpServer.createObject();
5749 HRESULT rc = dhcpServer->init(this, aName);
5750 if (FAILED(rc)) return rc;
5751
5752 rc = i_registerDHCPServer(dhcpServer, true);
5753 if (FAILED(rc)) return rc;
5754
5755 dhcpServer.queryInterfaceTo(aServer.asOutParam());
5756
5757 return rc;
5758}
5759
5760HRESULT VirtualBox::findDHCPServerByNetworkName(const com::Utf8Str &aName,
5761 ComPtr<IDHCPServer> &aServer)
5762{
5763 HRESULT rc = S_OK;
5764 ComPtr<DHCPServer> found;
5765
5766 AutoReadLock alock(m->allDHCPServers.getLockHandle() COMMA_LOCKVAL_SRC_POS);
5767
5768 for (DHCPServersOList::const_iterator it = m->allDHCPServers.begin();
5769 it != m->allDHCPServers.end();
5770 ++it)
5771 {
5772 Bstr bstrNetworkName;
5773 rc = (*it)->COMGETTER(NetworkName)(bstrNetworkName.asOutParam());
5774 if (FAILED(rc)) return rc;
5775
5776 if (Utf8Str(bstrNetworkName) == aName)
5777 {
5778 found = *it;
5779 break;
5780 }
5781 }
5782
5783 if (!found)
5784 return E_INVALIDARG;
5785
5786 rc = found.queryInterfaceTo(aServer.asOutParam());
5787
5788 return rc;
5789}
5790
5791HRESULT VirtualBox::removeDHCPServer(const ComPtr<IDHCPServer> &aServer)
5792{
5793 IDHCPServer *aP = aServer;
5794
5795 HRESULT rc = i_unregisterDHCPServer(static_cast<DHCPServer *>(aP));
5796
5797 return rc;
5798}
5799
5800/**
5801 * Remembers the given DHCP server in the settings.
5802 *
5803 * @param aDHCPServer DHCP server object to remember.
5804 * @param aSaveSettings @c true to save settings to disk (default).
5805 *
5806 * When @a aSaveSettings is @c true, this operation may fail because of the
5807 * failed #i_saveSettings() method it calls. In this case, the dhcp server object
5808 * will not be remembered. It is therefore the responsibility of the caller to
5809 * call this method as the last step of some action that requires registration
5810 * in order to make sure that only fully functional dhcp server objects get
5811 * registered.
5812 *
5813 * @note Locks this object for writing and @a aDHCPServer for reading.
5814 */
5815HRESULT VirtualBox::i_registerDHCPServer(DHCPServer *aDHCPServer,
5816 bool aSaveSettings /*= true*/)
5817{
5818 AssertReturn(aDHCPServer != NULL, E_INVALIDARG);
5819
5820 AutoCaller autoCaller(this);
5821 AssertComRCReturnRC(autoCaller.rc());
5822
5823 // Acquire a lock on the VirtualBox object early to avoid lock order issues
5824 // when we call i_saveSettings() later on.
5825 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
5826 // need it below, in findDHCPServerByNetworkName (reading) and in
5827 // m->allDHCPServers.addChild, so need to get it here to avoid lock
5828 // order trouble with dhcpServerCaller
5829 AutoWriteLock alock(m->allDHCPServers.getLockHandle() COMMA_LOCKVAL_SRC_POS);
5830
5831 AutoCaller dhcpServerCaller(aDHCPServer);
5832 AssertComRCReturnRC(dhcpServerCaller.rc());
5833
5834 Bstr bstrNetworkName;
5835 HRESULT rc = S_OK;
5836 rc = aDHCPServer->COMGETTER(NetworkName)(bstrNetworkName.asOutParam());
5837 if (FAILED(rc)) return rc;
5838
5839 ComPtr<IDHCPServer> existing;
5840 rc = findDHCPServerByNetworkName(Utf8Str(bstrNetworkName), existing);
5841 if (SUCCEEDED(rc))
5842 return E_INVALIDARG;
5843 rc = S_OK;
5844
5845 m->allDHCPServers.addChild(aDHCPServer);
5846 // we need to release the list lock before we attempt to acquire locks
5847 // on other objects in i_saveSettings (see @bugref{7500})
5848 alock.release();
5849
5850 if (aSaveSettings)
5851 {
5852 // we acquired the lock on 'this' earlier to avoid lock order issues
5853 rc = i_saveSettings();
5854
5855 if (FAILED(rc))
5856 {
5857 alock.acquire();
5858 m->allDHCPServers.removeChild(aDHCPServer);
5859 }
5860 }
5861
5862 return rc;
5863}
5864
5865/**
5866 * Removes the given DHCP server from the settings.
5867 *
5868 * @param aDHCPServer DHCP server object to remove.
5869 *
5870 * This operation may fail because of the failed #i_saveSettings() method it
5871 * calls. In this case, the DHCP server will NOT be removed from the settings
5872 * when this method returns.
5873 *
5874 * @note Locks this object for writing.
5875 */
5876HRESULT VirtualBox::i_unregisterDHCPServer(DHCPServer *aDHCPServer)
5877{
5878 AssertReturn(aDHCPServer != NULL, E_INVALIDARG);
5879
5880 AutoCaller autoCaller(this);
5881 AssertComRCReturnRC(autoCaller.rc());
5882
5883 AutoCaller dhcpServerCaller(aDHCPServer);
5884 AssertComRCReturnRC(dhcpServerCaller.rc());
5885
5886 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
5887 AutoWriteLock alock(m->allDHCPServers.getLockHandle() COMMA_LOCKVAL_SRC_POS);
5888 m->allDHCPServers.removeChild(aDHCPServer);
5889 // we need to release the list lock before we attempt to acquire locks
5890 // on other objects in i_saveSettings (see @bugref{7500})
5891 alock.release();
5892
5893 HRESULT rc = i_saveSettings();
5894
5895 // undo the changes if we failed to save them
5896 if (FAILED(rc))
5897 {
5898 alock.acquire();
5899 m->allDHCPServers.addChild(aDHCPServer);
5900 }
5901
5902 return rc;
5903}
5904
5905
5906/**
5907 * NAT Network
5908 */
5909HRESULT VirtualBox::createNATNetwork(const com::Utf8Str &aNetworkName,
5910 ComPtr<INATNetwork> &aNetwork)
5911{
5912#ifdef VBOX_WITH_NAT_SERVICE
5913 ComObjPtr<NATNetwork> natNetwork;
5914 natNetwork.createObject();
5915 HRESULT rc = natNetwork->init(this, aNetworkName);
5916 if (FAILED(rc)) return rc;
5917
5918 rc = i_registerNATNetwork(natNetwork, true);
5919 if (FAILED(rc)) return rc;
5920
5921 natNetwork.queryInterfaceTo(aNetwork.asOutParam());
5922
5923 ::FireNATNetworkCreationDeletionEvent(m->pEventSource, aNetworkName, TRUE);
5924
5925 return rc;
5926#else
5927 NOREF(aNetworkName);
5928 NOREF(aNetwork);
5929 return E_NOTIMPL;
5930#endif
5931}
5932
5933HRESULT VirtualBox::findNATNetworkByName(const com::Utf8Str &aNetworkName,
5934 ComPtr<INATNetwork> &aNetwork)
5935{
5936#ifdef VBOX_WITH_NAT_SERVICE
5937
5938 HRESULT rc = S_OK;
5939 ComPtr<NATNetwork> found;
5940
5941 AutoReadLock alock(m->allNATNetworks.getLockHandle() COMMA_LOCKVAL_SRC_POS);
5942
5943 for (NATNetworksOList::const_iterator it = m->allNATNetworks.begin();
5944 it != m->allNATNetworks.end();
5945 ++it)
5946 {
5947 Bstr bstrNATNetworkName;
5948 rc = (*it)->COMGETTER(NetworkName)(bstrNATNetworkName.asOutParam());
5949 if (FAILED(rc)) return rc;
5950
5951 if (Utf8Str(bstrNATNetworkName) == aNetworkName)
5952 {
5953 found = *it;
5954 break;
5955 }
5956 }
5957
5958 if (!found)
5959 return E_INVALIDARG;
5960 found.queryInterfaceTo(aNetwork.asOutParam());
5961 return rc;
5962#else
5963 NOREF(aNetworkName);
5964 NOREF(aNetwork);
5965 return E_NOTIMPL;
5966#endif
5967}
5968
5969HRESULT VirtualBox::removeNATNetwork(const ComPtr<INATNetwork> &aNetwork)
5970{
5971#ifdef VBOX_WITH_NAT_SERVICE
5972 Bstr name;
5973 HRESULT rc = aNetwork->COMGETTER(NetworkName)(name.asOutParam());
5974 if (FAILED(rc))
5975 return rc;
5976 INATNetwork *p = aNetwork;
5977 NATNetwork *network = static_cast<NATNetwork *>(p);
5978 rc = i_unregisterNATNetwork(network, true);
5979 ::FireNATNetworkCreationDeletionEvent(m->pEventSource, name.raw(), FALSE);
5980 return rc;
5981#else
5982 NOREF(aNetwork);
5983 return E_NOTIMPL;
5984#endif
5985
5986}
5987/**
5988 * Remembers the given NAT network in the settings.
5989 *
5990 * @param aNATNetwork NAT Network object to remember.
5991 * @param aSaveSettings @c true to save settings to disk (default).
5992 *
5993 *
5994 * @note Locks this object for writing and @a aNATNetwork for reading.
5995 */
5996HRESULT VirtualBox::i_registerNATNetwork(NATNetwork *aNATNetwork,
5997 bool aSaveSettings /*= true*/)
5998{
5999#ifdef VBOX_WITH_NAT_SERVICE
6000 AssertReturn(aNATNetwork != NULL, E_INVALIDARG);
6001
6002 AutoCaller autoCaller(this);
6003 AssertComRCReturnRC(autoCaller.rc());
6004
6005 AutoCaller natNetworkCaller(aNATNetwork);
6006 AssertComRCReturnRC(natNetworkCaller.rc());
6007
6008 Bstr name;
6009 HRESULT rc;
6010 rc = aNATNetwork->COMGETTER(NetworkName)(name.asOutParam());
6011 AssertComRCReturnRC(rc);
6012
6013 /* returned value isn't 0 and aSaveSettings is true
6014 * means that we create duplicate, otherwise we just load settings.
6015 */
6016 if ( sNatNetworkNameToRefCount[name]
6017 && aSaveSettings)
6018 AssertComRCReturnRC(E_INVALIDARG);
6019
6020 rc = S_OK;
6021
6022 sNatNetworkNameToRefCount[name] = 0;
6023
6024 m->allNATNetworks.addChild(aNATNetwork);
6025
6026 if (aSaveSettings)
6027 {
6028 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
6029 rc = i_saveSettings();
6030 vboxLock.release();
6031
6032 if (FAILED(rc))
6033 i_unregisterNATNetwork(aNATNetwork, false /* aSaveSettings */);
6034 }
6035
6036 return rc;
6037#else
6038 NOREF(aNATNetwork);
6039 NOREF(aSaveSettings);
6040 /* No panic please (silently ignore) */
6041 return S_OK;
6042#endif
6043}
6044
6045/**
6046 * Removes the given NAT network from the settings.
6047 *
6048 * @param aNATNetwork NAT network object to remove.
6049 * @param aSaveSettings @c true to save settings to disk (default).
6050 *
6051 * When @a aSaveSettings is @c true, this operation may fail because of the
6052 * failed #i_saveSettings() method it calls. In this case, the DHCP server
6053 * will NOT be removed from the settingsi when this method returns.
6054 *
6055 * @note Locks this object for writing.
6056 */
6057HRESULT VirtualBox::i_unregisterNATNetwork(NATNetwork *aNATNetwork,
6058 bool aSaveSettings /*= true*/)
6059{
6060#ifdef VBOX_WITH_NAT_SERVICE
6061 AssertReturn(aNATNetwork != NULL, E_INVALIDARG);
6062
6063 AutoCaller autoCaller(this);
6064 AssertComRCReturnRC(autoCaller.rc());
6065
6066 AutoCaller natNetworkCaller(aNATNetwork);
6067 AssertComRCReturnRC(natNetworkCaller.rc());
6068
6069 Bstr name;
6070 HRESULT rc = aNATNetwork->COMGETTER(NetworkName)(name.asOutParam());
6071 /* Hm, there're still running clients. */
6072 if (FAILED(rc) || sNatNetworkNameToRefCount[name])
6073 AssertComRCReturnRC(E_INVALIDARG);
6074
6075 m->allNATNetworks.removeChild(aNATNetwork);
6076
6077 if (aSaveSettings)
6078 {
6079 AutoWriteLock vboxLock(this COMMA_LOCKVAL_SRC_POS);
6080 rc = i_saveSettings();
6081 vboxLock.release();
6082
6083 if (FAILED(rc))
6084 i_registerNATNetwork(aNATNetwork, false /* aSaveSettings */);
6085 }
6086
6087 return rc;
6088#else
6089 NOREF(aNATNetwork);
6090 NOREF(aSaveSettings);
6091 return E_NOTIMPL;
6092#endif
6093}
6094
6095
6096HRESULT VirtualBox::findProgressById(const com::Guid &aId,
6097 ComPtr<IProgress> &aProgressObject)
6098{
6099 if (!aId.isValid())
6100 return setError(E_INVALIDARG,
6101 tr("The provided progress object GUID is invalid"));
6102
6103 /* protect mProgressOperations */
6104 AutoReadLock safeLock(m->mtxProgressOperations COMMA_LOCKVAL_SRC_POS);
6105
6106 ProgressMap::const_iterator it = m->mapProgressOperations.find(aId);
6107 if (it != m->mapProgressOperations.end())
6108 {
6109 aProgressObject = it->second;
6110 return S_OK;
6111 }
6112 return setError(E_INVALIDARG,
6113 tr("The progress object with the given GUID could not be found"));
6114}
6115
6116
6117/**
6118 * Retains a reference to the default cryptographic interface.
6119 *
6120 * @returns COM status code.
6121 * @param ppCryptoIf Where to store the pointer to the cryptographic interface on success.
6122 *
6123 * @note Locks this object for writing.
6124 */
6125HRESULT VirtualBox::i_retainCryptoIf(PCVBOXCRYPTOIF *ppCryptoIf)
6126{
6127 AssertReturn(ppCryptoIf != NULL, E_INVALIDARG);
6128
6129 AutoCaller autoCaller(this);
6130 AssertComRCReturnRC(autoCaller.rc());
6131
6132 AutoWriteLock wlock(this COMMA_LOCKVAL_SRC_POS);
6133
6134 /* Try to load the extension pack module if it isn't currently. */
6135 HRESULT hrc = S_OK;
6136 if (m->hLdrModCrypto == NIL_RTLDRMOD)
6137 {
6138#ifdef VBOX_WITH_EXTPACK
6139 /*
6140 * Check that a crypto extension pack name is set and resolve it into a
6141 * library path.
6142 */
6143 Utf8Str strExtPack;
6144 hrc = m->pSystemProperties->getDefaultCryptoExtPack(strExtPack);
6145 if (FAILED(hrc))
6146 return hrc;
6147 if (strExtPack.isEmpty())
6148 return setError(VBOX_E_OBJECT_NOT_FOUND,
6149 tr("Ńo extension pack providing a cryptographic support module could be found"));
6150
6151 Utf8Str strCryptoLibrary;
6152 int vrc = m->ptrExtPackManager->i_getCryptoLibraryPathForExtPack(&strExtPack, &strCryptoLibrary);
6153 if (RT_SUCCESS(vrc))
6154 {
6155 RTERRINFOSTATIC ErrInfo;
6156 vrc = SUPR3HardenedLdrLoadPlugIn(strCryptoLibrary.c_str(), &m->hLdrModCrypto, RTErrInfoInitStatic(&ErrInfo));
6157 if (RT_SUCCESS(vrc))
6158 {
6159 /* Resolve the entry point and query the pointer to the cryptographic interface. */
6160 PFNVBOXCRYPTOENTRY pfnCryptoEntry = NULL;
6161 vrc = RTLdrGetSymbol(m->hLdrModCrypto, VBOX_CRYPTO_MOD_ENTRY_POINT, (void **)&pfnCryptoEntry);
6162 if (RT_SUCCESS(vrc))
6163 {
6164 vrc = pfnCryptoEntry(&m->pCryptoIf);
6165 if (RT_FAILURE(vrc))
6166 hrc = setErrorBoth(VBOX_E_IPRT_ERROR, vrc,
6167 tr("Failed to query the interface callback table from the cryptographic support module '%s' from extension pack '%s'"),
6168 strCryptoLibrary.c_str(), strExtPack.c_str());
6169 }
6170 else
6171 hrc = setErrorBoth(VBOX_E_IPRT_ERROR, vrc,
6172 tr("Failed to resolve the entry point for the cryptographic support module '%s' from extension pack '%s'"),
6173 strCryptoLibrary.c_str(), strExtPack.c_str());
6174 }
6175 else
6176 hrc = setErrorBoth(VBOX_E_IPRT_ERROR, vrc,
6177 tr("Couldn't load the cryptographic support module '%s' from extension pack '%s' (error: '%s')"),
6178 strCryptoLibrary.c_str(), strExtPack.c_str(), ErrInfo.Core.pszMsg);
6179 }
6180 else
6181 hrc = setErrorBoth(VBOX_E_IPRT_ERROR, vrc,
6182 tr("Couldn't resolve the library path of the crpytographic support module for extension pack '%s'"),
6183 strExtPack.c_str());
6184#else
6185 hrc = setError(VBOX_E_NOT_SUPPORTED,
6186 tr("The cryptographic support module is not supported in this build because extension packs are not supported"));
6187#endif
6188 }
6189
6190 if (SUCCEEDED(hrc))
6191 {
6192 ASMAtomicIncU32(&m->cRefsCrypto);
6193 *ppCryptoIf = m->pCryptoIf;
6194 }
6195
6196 return hrc;
6197}
6198
6199
6200/**
6201 * Releases the reference of the given cryptographic interface.
6202 *
6203 * @returns COM status code.
6204 * @param pCryptoIf Pointer to the cryptographic interface to release.
6205 *
6206 * @note Locks this object for writing.
6207 */
6208HRESULT VirtualBox::i_releaseCryptoIf(PCVBOXCRYPTOIF pCryptoIf)
6209{
6210 AutoCaller autoCaller(this);
6211 AssertComRCReturnRC(autoCaller.rc());
6212
6213 AutoWriteLock wlock(this COMMA_LOCKVAL_SRC_POS);
6214
6215 AssertReturn(pCryptoIf == m->pCryptoIf, E_INVALIDARG);
6216
6217 ASMAtomicDecU32(&m->cRefsCrypto);
6218 return S_OK;
6219}
6220
6221
6222/**
6223 * Tries to unload any loaded cryptographic support module if it is not in use currently.
6224 *
6225 * @returns COM status code.
6226 *
6227 * @note Locks this object for writing.
6228 */
6229HRESULT VirtualBox::i_unloadCryptoIfModule(void)
6230{
6231 AutoCaller autoCaller(this);
6232 AssertComRCReturnRC(autoCaller.rc());
6233
6234 AutoWriteLock wlock(this COMMA_LOCKVAL_SRC_POS);
6235
6236 if (m->cRefsCrypto)
6237 return setError(E_ACCESSDENIED,
6238 tr("The cryptographic support module is in use and can't be unloaded"));
6239
6240 if (m->hLdrModCrypto != NIL_RTLDRMOD)
6241 {
6242 int vrc = RTLdrClose(m->hLdrModCrypto);
6243 AssertRC(vrc);
6244 m->hLdrModCrypto = NIL_RTLDRMOD;
6245 }
6246
6247 return S_OK;
6248}
6249
6250
6251#ifdef RT_OS_WINDOWS
6252#include <psapi.h>
6253
6254/**
6255 * Report versions of installed drivers to release log.
6256 */
6257void VirtualBox::i_reportDriverVersions()
6258{
6259 /** @todo r=klaus this code is very confusing, as it uses TCHAR (and
6260 * randomly also _TCHAR, which sounds to me like asking for trouble),
6261 * the "sz" variable prefix but "%ls" for the format string - so the whole
6262 * thing is better compiled with UNICODE and _UNICODE defined. Would be
6263 * far easier to read if it would be coded explicitly for the unicode
6264 * case, as it won't work otherwise. */
6265 DWORD err;
6266 HRESULT hrc;
6267 LPVOID aDrivers[1024];
6268 LPVOID *pDrivers = aDrivers;
6269 UINT cNeeded = 0;
6270 TCHAR szSystemRoot[MAX_PATH];
6271 TCHAR *pszSystemRoot = szSystemRoot;
6272 LPVOID pVerInfo = NULL;
6273 DWORD cbVerInfo = 0;
6274
6275 do
6276 {
6277 cNeeded = GetWindowsDirectory(szSystemRoot, RT_ELEMENTS(szSystemRoot));
6278 if (cNeeded == 0)
6279 {
6280 err = GetLastError();
6281 hrc = HRESULT_FROM_WIN32(err);
6282 AssertLogRelMsgFailed(("GetWindowsDirectory failed, hr=%Rhrc (0x%x) err=%u\n",
6283 hrc, hrc, err));
6284 break;
6285 }
6286 else if (cNeeded > RT_ELEMENTS(szSystemRoot))
6287 {
6288 /* The buffer is too small, allocate big one. */
6289 pszSystemRoot = (TCHAR *)RTMemTmpAlloc(cNeeded * sizeof(_TCHAR));
6290 if (!pszSystemRoot)
6291 {
6292 AssertLogRelMsgFailed(("RTMemTmpAlloc failed to allocate %d bytes\n", cNeeded));
6293 break;
6294 }
6295 if (GetWindowsDirectory(pszSystemRoot, cNeeded) == 0)
6296 {
6297 err = GetLastError();
6298 hrc = HRESULT_FROM_WIN32(err);
6299 AssertLogRelMsgFailed(("GetWindowsDirectory failed, hr=%Rhrc (0x%x) err=%u\n",
6300 hrc, hrc, err));
6301 break;
6302 }
6303 }
6304
6305 DWORD cbNeeded = 0;
6306 if (!EnumDeviceDrivers(aDrivers, sizeof(aDrivers), &cbNeeded) || cbNeeded > sizeof(aDrivers))
6307 {
6308 pDrivers = (LPVOID *)RTMemTmpAlloc(cbNeeded);
6309 if (!EnumDeviceDrivers(pDrivers, cbNeeded, &cbNeeded))
6310 {
6311 err = GetLastError();
6312 hrc = HRESULT_FROM_WIN32(err);
6313 AssertLogRelMsgFailed(("EnumDeviceDrivers failed, hr=%Rhrc (0x%x) err=%u\n",
6314 hrc, hrc, err));
6315 break;
6316 }
6317 }
6318
6319 LogRel(("Installed Drivers:\n"));
6320
6321 TCHAR szDriver[1024];
6322 int cDrivers = cbNeeded / sizeof(pDrivers[0]);
6323 for (int i = 0; i < cDrivers; i++)
6324 {
6325 if (GetDeviceDriverBaseName(pDrivers[i], szDriver, sizeof(szDriver) / sizeof(szDriver[0])))
6326 {
6327 if (_tcsnicmp(TEXT("vbox"), szDriver, 4))
6328 continue;
6329 }
6330 else
6331 continue;
6332 if (GetDeviceDriverFileName(pDrivers[i], szDriver, sizeof(szDriver) / sizeof(szDriver[0])))
6333 {
6334 _TCHAR szTmpDrv[1024];
6335 _TCHAR *pszDrv = szDriver;
6336 if (!_tcsncmp(TEXT("\\SystemRoot"), szDriver, 11))
6337 {
6338 _tcscpy_s(szTmpDrv, pszSystemRoot);
6339 _tcsncat_s(szTmpDrv, szDriver + 11, sizeof(szTmpDrv) / sizeof(szTmpDrv[0]) - _tclen(pszSystemRoot));
6340 pszDrv = szTmpDrv;
6341 }
6342 else if (!_tcsncmp(TEXT("\\??\\"), szDriver, 4))
6343 pszDrv = szDriver + 4;
6344
6345 /* Allocate a buffer for version info. Reuse if large enough. */
6346 DWORD cbNewVerInfo = GetFileVersionInfoSize(pszDrv, NULL);
6347 if (cbNewVerInfo > cbVerInfo)
6348 {
6349 if (pVerInfo)
6350 RTMemTmpFree(pVerInfo);
6351 cbVerInfo = cbNewVerInfo;
6352 pVerInfo = RTMemTmpAlloc(cbVerInfo);
6353 if (!pVerInfo)
6354 {
6355 AssertLogRelMsgFailed(("RTMemTmpAlloc failed to allocate %d bytes\n", cbVerInfo));
6356 break;
6357 }
6358 }
6359
6360 if (GetFileVersionInfo(pszDrv, NULL, cbVerInfo, pVerInfo))
6361 {
6362 UINT cbSize = 0;
6363 LPBYTE lpBuffer = NULL;
6364 if (VerQueryValue(pVerInfo, TEXT("\\"), (VOID FAR* FAR*)&lpBuffer, &cbSize))
6365 {
6366 if (cbSize)
6367 {
6368 VS_FIXEDFILEINFO *pFileInfo = (VS_FIXEDFILEINFO *)lpBuffer;
6369 if (pFileInfo->dwSignature == 0xfeef04bd)
6370 {
6371 LogRel((" %ls (Version: %d.%d.%d.%d)\n", pszDrv,
6372 (pFileInfo->dwFileVersionMS >> 16) & 0xffff,
6373 (pFileInfo->dwFileVersionMS >> 0) & 0xffff,
6374 (pFileInfo->dwFileVersionLS >> 16) & 0xffff,
6375 (pFileInfo->dwFileVersionLS >> 0) & 0xffff));
6376 }
6377 }
6378 }
6379 }
6380 }
6381 }
6382
6383 }
6384 while (0);
6385
6386 if (pVerInfo)
6387 RTMemTmpFree(pVerInfo);
6388
6389 if (pDrivers != aDrivers)
6390 RTMemTmpFree(pDrivers);
6391
6392 if (pszSystemRoot != szSystemRoot)
6393 RTMemTmpFree(pszSystemRoot);
6394}
6395#else /* !RT_OS_WINDOWS */
6396void VirtualBox::i_reportDriverVersions(void)
6397{
6398}
6399#endif /* !RT_OS_WINDOWS */
6400
6401#if defined(RT_OS_WINDOWS) && defined(VBOXSVC_WITH_CLIENT_WATCHER)
6402
6403# include <psapi.h> /* for GetProcessImageFileNameW */
6404
6405/**
6406 * Callout from the wrapper.
6407 */
6408void VirtualBox::i_callHook(const char *a_pszFunction)
6409{
6410 RT_NOREF(a_pszFunction);
6411
6412 /*
6413 * Let'see figure out who is calling.
6414 * Note! Requires Vista+, so skip this entirely on older systems.
6415 */
6416 if (RTSystemGetNtVersion() >= RTSYSTEM_MAKE_NT_VERSION(6, 0, 0))
6417 {
6418 RPC_CALL_ATTRIBUTES_V2_W CallAttribs = { RPC_CALL_ATTRIBUTES_VERSION, RPC_QUERY_CLIENT_PID | RPC_QUERY_IS_CLIENT_LOCAL };
6419 RPC_STATUS rcRpc = RpcServerInqCallAttributesW(NULL, &CallAttribs);
6420 if ( rcRpc == RPC_S_OK
6421 && CallAttribs.ClientPID != 0)
6422 {
6423 RTPROCESS const pidClient = (RTPROCESS)(uintptr_t)CallAttribs.ClientPID;
6424 if (pidClient != RTProcSelf())
6425 {
6426 /** @todo LogRel2 later: */
6427 LogRel(("i_callHook: %Rfn [ClientPID=%#zx/%zu IsClientLocal=%d ProtocolSequence=%#x CallStatus=%#x CallType=%#x OpNum=%#x InterfaceUuid=%RTuuid]\n",
6428 a_pszFunction, CallAttribs.ClientPID, CallAttribs.ClientPID, CallAttribs.IsClientLocal,
6429 CallAttribs.ProtocolSequence, CallAttribs.CallStatus, CallAttribs.CallType, CallAttribs.OpNum,
6430 &CallAttribs.InterfaceUuid));
6431
6432 /*
6433 * Do we know this client PID already?
6434 */
6435 RTCritSectRwEnterShared(&m->WatcherCritSect);
6436 WatchedClientProcessMap::iterator It = m->WatchedProcesses.find(pidClient);
6437 if (It != m->WatchedProcesses.end())
6438 RTCritSectRwLeaveShared(&m->WatcherCritSect); /* Known process, nothing to do. */
6439 else
6440 {
6441 /* This is a new client process, start watching it. */
6442 RTCritSectRwLeaveShared(&m->WatcherCritSect);
6443 i_watchClientProcess(pidClient, a_pszFunction);
6444 }
6445 }
6446 }
6447 else
6448 LogRel(("i_callHook: %Rfn - rcRpc=%#x ClientPID=%#zx/%zu !! [IsClientLocal=%d ProtocolSequence=%#x CallStatus=%#x CallType=%#x OpNum=%#x InterfaceUuid=%RTuuid]\n",
6449 a_pszFunction, rcRpc, CallAttribs.ClientPID, CallAttribs.ClientPID, CallAttribs.IsClientLocal,
6450 CallAttribs.ProtocolSequence, CallAttribs.CallStatus, CallAttribs.CallType, CallAttribs.OpNum,
6451 &CallAttribs.InterfaceUuid));
6452 }
6453}
6454
6455
6456/**
6457 * Watches @a a_pidClient for termination.
6458 *
6459 * @returns true if successfully enabled watching of it, false if not.
6460 * @param a_pidClient The PID to watch.
6461 * @param a_pszFunction The function we which we detected the client in.
6462 */
6463bool VirtualBox::i_watchClientProcess(RTPROCESS a_pidClient, const char *a_pszFunction)
6464{
6465 RT_NOREF_PV(a_pszFunction);
6466
6467 /*
6468 * Open the client process.
6469 */
6470 HANDLE hClient = OpenProcess(SYNCHRONIZE | PROCESS_QUERY_INFORMATION, FALSE /*fInherit*/, a_pidClient);
6471 if (hClient == NULL)
6472 hClient = OpenProcess(SYNCHRONIZE | PROCESS_QUERY_LIMITED_INFORMATION, FALSE , a_pidClient);
6473 if (hClient == NULL)
6474 hClient = OpenProcess(SYNCHRONIZE, FALSE , a_pidClient);
6475 AssertLogRelMsgReturn(hClient != NULL, ("pidClient=%d (%#x) err=%d\n", a_pidClient, a_pidClient, GetLastError()),
6476 m->fWatcherIsReliable = false);
6477
6478 /*
6479 * Create a new watcher structure and try add it to the map.
6480 */
6481 bool fRet = true;
6482 WatchedClientProcess *pWatched = new (std::nothrow) WatchedClientProcess(a_pidClient, hClient);
6483 if (pWatched)
6484 {
6485 RTCritSectRwEnterExcl(&m->WatcherCritSect);
6486
6487 WatchedClientProcessMap::iterator It = m->WatchedProcesses.find(a_pidClient);
6488 if (It == m->WatchedProcesses.end())
6489 {
6490 try
6491 {
6492 m->WatchedProcesses.insert(WatchedClientProcessMap::value_type(a_pidClient, pWatched));
6493 }
6494 catch (std::bad_alloc &)
6495 {
6496 fRet = false;
6497 }
6498 if (fRet)
6499 {
6500 /*
6501 * Schedule it on a watcher thread.
6502 */
6503 /** @todo later. */
6504 RTCritSectRwLeaveExcl(&m->WatcherCritSect);
6505 }
6506 else
6507 {
6508 RTCritSectRwLeaveExcl(&m->WatcherCritSect);
6509 delete pWatched;
6510 LogRel(("VirtualBox::i_watchClientProcess: out of memory inserting into client map!\n"));
6511 }
6512 }
6513 else
6514 {
6515 /*
6516 * Someone raced us here, we lost.
6517 */
6518 RTCritSectRwLeaveExcl(&m->WatcherCritSect);
6519 delete pWatched;
6520 }
6521 }
6522 else
6523 {
6524 LogRel(("VirtualBox::i_watchClientProcess: out of memory!\n"));
6525 CloseHandle(hClient);
6526 m->fWatcherIsReliable = fRet = false;
6527 }
6528 return fRet;
6529}
6530
6531
6532/** Logs the RPC caller info to the release log. */
6533/*static*/ void VirtualBox::i_logCaller(const char *a_pszFormat, ...)
6534{
6535 if (RTSystemGetNtVersion() >= RTSYSTEM_MAKE_NT_VERSION(6, 0, 0))
6536 {
6537 char szTmp[80];
6538 va_list va;
6539 va_start(va, a_pszFormat);
6540 RTStrPrintfV(szTmp, sizeof(szTmp), a_pszFormat, va);
6541 va_end(va);
6542
6543 RPC_CALL_ATTRIBUTES_V2_W CallAttribs = { RPC_CALL_ATTRIBUTES_VERSION, RPC_QUERY_CLIENT_PID | RPC_QUERY_IS_CLIENT_LOCAL };
6544 RPC_STATUS rcRpc = RpcServerInqCallAttributesW(NULL, &CallAttribs);
6545
6546 RTUTF16 wszProcName[256];
6547 wszProcName[0] = '\0';
6548 if (rcRpc == 0 && CallAttribs.ClientPID != 0)
6549 {
6550 HANDLE hProcess = OpenProcess(PROCESS_QUERY_LIMITED_INFORMATION, FALSE, (DWORD)(uintptr_t)CallAttribs.ClientPID);
6551 if (hProcess)
6552 {
6553 RT_ZERO(wszProcName);
6554 GetProcessImageFileNameW(hProcess, wszProcName, RT_ELEMENTS(wszProcName) - 1);
6555 CloseHandle(hProcess);
6556 }
6557 }
6558 LogRel(("%s [rcRpc=%#x ClientPID=%#zx/%zu (%ls) IsClientLocal=%d ProtocolSequence=%#x CallStatus=%#x CallType=%#x OpNum=%#x InterfaceUuid=%RTuuid]\n",
6559 szTmp, rcRpc, CallAttribs.ClientPID, CallAttribs.ClientPID, wszProcName, CallAttribs.IsClientLocal,
6560 CallAttribs.ProtocolSequence, CallAttribs.CallStatus, CallAttribs.CallType, CallAttribs.OpNum,
6561 &CallAttribs.InterfaceUuid));
6562 }
6563}
6564
6565#endif /* RT_OS_WINDOWS && VBOXSVC_WITH_CLIENT_WATCHER */
6566
6567
6568/* vi: set tabstop=4 shiftwidth=4 expandtab: */
Note: See TracBrowser for help on using the repository browser.

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