VirtualBox

source: vbox/trunk/src/VBox/Main/MachineImpl.cpp@ 226

Last change on this file since 226 was 202, checked in by vboxsync, 18 years ago

ifdef VRDP specific code

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 304.4 KB
Line 
1/** @file
2 *
3 * VirtualBox COM class implementation
4 */
5
6/*
7 * Copyright (C) 2006 InnoTek Systemberatung GmbH
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 as published by the Free Software Foundation,
13 * in version 2 as it comes in the "COPYING" file of the VirtualBox OSE
14 * distribution. VirtualBox OSE is distributed in the hope that it will
15 * be useful, but WITHOUT ANY WARRANTY of any kind.
16 *
17 * If you received this file as part of a commercial VirtualBox
18 * distribution, then only the terms of your commercial VirtualBox
19 * license agreement apply instead of the previous paragraph.
20 */
21
22#if defined(__WIN__)
23#elif defined(__LINUX__)
24# include <errno.h>
25# include <sys/types.h>
26# include <sys/stat.h>
27# include <sys/ipc.h>
28# include <sys/sem.h>
29#endif
30
31#include "VirtualBoxImpl.h"
32#include "MachineImpl.h"
33#include "HardDiskImpl.h"
34#include "HostDVDDriveImpl.h"
35#include "HostFloppyDriveImpl.h"
36#include "ProgressImpl.h"
37#include "HardDiskAttachmentImpl.h"
38#include "USBControllerImpl.h"
39#include "HostImpl.h"
40#include "SystemPropertiesImpl.h"
41#include "SharedFolderImpl.h"
42#include "GuestOSTypeImpl.h"
43#include "VirtualBoxErrorInfoImpl.h"
44
45#include "USBProxyService.h"
46
47#include "Logging.h"
48
49#include <stdio.h>
50#include <stdlib.h>
51#include <VBox/err.h>
52#include <VBox/cfgldr.h>
53#include <iprt/path.h>
54#include <iprt/dir.h>
55#include <iprt/asm.h>
56#include <iprt/process.h>
57#include <VBox/param.h>
58
59#include <algorithm>
60
61#if defined(__WIN__) || defined(__OS2__)
62#define HOSTSUFF_EXE ".exe"
63#else /* !__WIN__ */
64#define HOSTSUFF_EXE ""
65#endif /* !__WIN__ */
66
67// defines / prototypes
68/////////////////////////////////////////////////////////////////////////////
69
70/**
71 * Local mutability check macro for Machine implementation only.
72 */
73#define CHECK_SETTER() \
74 if (!isMutable()) \
75 return setError (E_ACCESSDENIED, tr ("The machine is not mutable"));
76
77// globals
78/////////////////////////////////////////////////////////////////////////////
79
80/**
81 * @note The template is NOT completely valid according to VBOX_XML_SCHEMA
82 * (when loading a newly created settings file, validation will be turned off)
83 */
84static const char DefaultMachineConfig[] =
85{
86 "<?xml version=\"1.0\" encoding=\"UTF-8\" ?>" RTFILE_LINEFEED
87 "<!-- InnoTek VirtualBox Machine Configuration -->" RTFILE_LINEFEED
88 "<VirtualBox xmlns=\"" VBOX_XML_NAMESPACE "\" "
89 "version=\"" VBOX_XML_VERSION "-" VBOX_XML_PLATFORM "\">" RTFILE_LINEFEED
90 "</VirtualBox>" RTFILE_LINEFEED
91};
92
93/**
94 * Progress callback handler for lengthy operations
95 * (corresponds to the FNRTPROGRESS typedef).
96 *
97 * @param uPercentage Completetion precentage (0-100).
98 * @param pvUser Pointer to the Progress instance.
99 */
100static DECLCALLBACK(int) progressCallback (unsigned uPercentage, void *pvUser)
101{
102 Progress *progress = static_cast <Progress *> (pvUser);
103
104 /* update the progress object */
105 if (progress)
106 progress->notifyProgress (uPercentage);
107
108 return VINF_SUCCESS;
109}
110
111/////////////////////////////////////////////////////////////////////////////
112// Machine::Data structure
113/////////////////////////////////////////////////////////////////////////////
114
115Machine::Data::Data()
116{
117 mRegistered = FALSE;
118 /* mUuid is initialized in Machine::init() */
119
120 mMachineState = MachineState_PoweredOff;
121 RTTIMESPEC time;
122 mLastStateChange = RTTimeSpecGetMilli (RTTimeNow (&time));
123 mCurrentStateModified = TRUE;
124 mHandleCfgFile = NIL_RTFILE;
125
126 mSession.mPid = NIL_RTPROCESS;
127 mSession.mState = SessionState_SessionClosed;
128}
129
130Machine::Data::~Data()
131{
132}
133
134/////////////////////////////////////////////////////////////////////////////
135// Machine::UserData structure
136/////////////////////////////////////////////////////////////////////////////
137
138Machine::UserData::UserData()
139{
140 /* default values for a newly created machine */
141
142 mNameSync = TRUE;
143
144 /* mName, mOSType, mSnapshotFolder, mSnapshotFolderFull are initialized in
145 * Machine::init() */
146}
147
148Machine::UserData::~UserData()
149{
150}
151
152/////////////////////////////////////////////////////////////////////////////
153// Machine::HWData structure
154/////////////////////////////////////////////////////////////////////////////
155
156Machine::HWData::HWData()
157{
158 /* default values for a newly created machine */
159 mMemorySize = 128;
160 mVRAMSize = 8;
161 mHWVirtExEnabled = TriStateBool_False;
162
163 /* default boot order: floppy - DVD - HDD */
164 mBootOrder [0] = DeviceType_FloppyDevice;
165 mBootOrder [1] = DeviceType_DVDDevice;
166 mBootOrder [2] = DeviceType_HardDiskDevice;
167 for (size_t i = 3; i < ELEMENTS (mBootOrder); i++)
168 mBootOrder [i] = DeviceType_NoDevice;
169
170 mClipboardMode = ClipboardMode_ClipDisabled;
171}
172
173Machine::HWData::~HWData()
174{
175}
176
177bool Machine::HWData::operator== (const HWData &that) const
178{
179 if (this == &that)
180 return true;
181
182 if (mMemorySize != that.mMemorySize ||
183 mVRAMSize != that.mVRAMSize ||
184 mHWVirtExEnabled != that.mHWVirtExEnabled ||
185 mClipboardMode != that.mClipboardMode)
186 return false;
187
188 for (size_t i = 0; i < ELEMENTS (mBootOrder); ++ i)
189 if (mBootOrder [i] != that.mBootOrder [i])
190 return false;
191
192 if (mSharedFolders.size() != that.mSharedFolders.size())
193 return false;
194
195 if (mSharedFolders.size() == 0)
196 return true;
197
198 /* Make copies to speed up comparison */
199 SharedFolderList folders = mSharedFolders;
200 SharedFolderList thatFolders = that.mSharedFolders;
201
202 SharedFolderList::iterator it = folders.begin();
203 while (it != folders.end())
204 {
205 bool found = false;
206 SharedFolderList::iterator thatIt = thatFolders.begin();
207 while (thatIt != thatFolders.end())
208 {
209 if ((*it)->name() == (*thatIt)->name() &&
210 RTPathCompare (Utf8Str ((*it)->hostPath()),
211 Utf8Str ((*thatIt)->hostPath())) == 0)
212 {
213 thatFolders.erase (thatIt);
214 found = true;
215 break;
216 }
217 else
218 ++ thatIt;
219 }
220 if (found)
221 it = folders.erase (it);
222 else
223 return false;
224 }
225
226 Assert (folders.size() == 0 && thatFolders.size() == 0);
227
228 return true;
229}
230
231/////////////////////////////////////////////////////////////////////////////
232// Machine::HDData structure
233/////////////////////////////////////////////////////////////////////////////
234
235Machine::HDData::HDData()
236{
237 /* default values for a newly created machine */
238 mHDAttachmentsChanged = false;
239}
240
241Machine::HDData::~HDData()
242{
243}
244
245bool Machine::HDData::operator== (const HDData &that) const
246{
247 if (this == &that)
248 return true;
249
250 if (mHDAttachments.size() != that.mHDAttachments.size())
251 return false;
252
253 if (mHDAttachments.size() == 0)
254 return true;
255
256 /* Make copies to speed up comparison */
257 HDAttachmentList atts = mHDAttachments;
258 HDAttachmentList thatAtts = that.mHDAttachments;
259
260 HDAttachmentList::iterator it = atts.begin();
261 while (it != atts.end())
262 {
263 bool found = false;
264 HDAttachmentList::iterator thatIt = thatAtts.begin();
265 while (thatIt != thatAtts.end())
266 {
267 if ((*it)->deviceNumber() == (*thatIt)->deviceNumber() &&
268 (*it)->controller() == (*thatIt)->controller() &&
269 (*it)->hardDisk().equalsTo ((*thatIt)->hardDisk()))
270 {
271 thatAtts.erase (thatIt);
272 found = true;
273 break;
274 }
275 else
276 ++ thatIt;
277 }
278 if (found)
279 it = atts.erase (it);
280 else
281 return false;
282 }
283
284 Assert (atts.size() == 0 && thatAtts.size() == 0);
285
286 return true;
287}
288
289/////////////////////////////////////////////////////////////////////////////
290// Machine class
291/////////////////////////////////////////////////////////////////////////////
292
293// constructor / destructor
294/////////////////////////////////////////////////////////////////////////////
295
296Machine::Machine() : mType (IsMachine) {}
297
298Machine::~Machine() {}
299
300HRESULT Machine::FinalConstruct()
301{
302 LogFlowThisFunc (("\n"));
303 return S_OK;
304}
305
306void Machine::FinalRelease()
307{
308 LogFlowThisFunc (("\n"));
309 uninit();
310}
311
312/**
313 * Initializes the instance.
314 *
315 * @param aParent Associated parent object
316 * @param aConfigFile Local file system path to the VM settings file (can
317 * be relative to the VirtualBox config directory).
318 * @param aMode Init_New, Init_Existing or Init_Registered
319 * @param aName name for the machine when aMode is Init_New
320 * (ignored otherwise)
321 * @param aNameSync |TRUE| to authomatically sync settings dir and file
322 * name with the machine name. |FALSE| is used for legacy
323 * machines where the file name is specified by the
324 * user and should never change. Used only in Init_New
325 * mode (ignored otherwise).
326 * @param aId UUID of the machine (used only for consistency
327 * check when aMode is Init_Registered; must match UUID
328 * stored in the settings file).
329 *
330 * @return Success indicator. if not S_OK, the machine object is invalid
331 */
332HRESULT Machine::init (VirtualBox *aParent, const BSTR aConfigFile,
333 InitMode aMode, const BSTR aName /* = NULL */,
334 BOOL aNameSync /* = TRUE */,
335 const Guid *aId /* = NULL */)
336{
337 LogFlowThisFuncEnter();
338 LogFlowThisFunc (("aConfigFile='%ls', aMode=%d\n", aConfigFile, aMode));
339
340 AssertReturn (aParent, E_INVALIDARG);
341 AssertReturn (aConfigFile, E_INVALIDARG);
342 AssertReturn (aMode != Init_New || (aName != NULL && *aName != '\0'),
343 E_INVALIDARG);
344 AssertReturn (aMode != Init_Registered || aId != NULL, E_FAIL);
345
346 /* Enclose the state transition NotReady->InInit->Ready */
347 AutoInitSpan autoInitSpan (this);
348 AssertReturn (autoInitSpan.isOk(), E_UNEXPECTED);
349
350 HRESULT rc = S_OK;
351
352 /* share the parent weakly */
353 unconst (mParent) = aParent;
354
355 /* register with parent early, since uninit() will unconditionally
356 * unregister on failure */
357 mParent->addDependentChild (this);
358
359 /* create machine data structures */
360 mData.allocate();
361 mSSData.allocate();
362
363 mUserData.allocate();
364 mHWData.allocate();
365 mHDData.allocate();
366
367 char configFileFull [RTPATH_MAX] = {0};
368
369 /* memorize the config file name (as provided) */
370 mData->mConfigFile = aConfigFile;
371
372 /* get the full file name */
373 int vrc = RTPathAbsEx (mParent->homeDir(), Utf8Str (aConfigFile),
374 configFileFull, sizeof (configFileFull));
375 if (VBOX_FAILURE (vrc))
376 return setError (E_FAIL,
377 tr ("Invalid settings file name: '%ls' (%Vrc)"),
378 aConfigFile, vrc);
379 mData->mConfigFileFull = configFileFull;
380
381 mData->mAccessible = TRUE;
382
383 if (aMode != Init_New)
384 {
385 /* lock the settings file */
386 rc = lockConfig();
387
388 if (aMode == Init_Registered && FAILED (rc))
389 {
390 /* If the machine is registered, then, instead of returning a
391 * failure, we mark it as inaccessible and set the result to
392 * success to give it a try later */
393 mData->mAccessible = FALSE;
394 /* fetch the current error info */
395 mData->mAccessError = com::ErrorInfo();
396 LogWarning (("Machine {%Vuuid} is inaccessible! [%ls]\n",
397 mData->mUuid.raw(),
398 mData->mAccessError.getText().raw()));
399 rc = S_OK;
400 }
401 }
402 else
403 {
404 /* check for the file existence */
405 RTFILE f = NIL_RTFILE;
406 int vrc = RTFileOpen (&f, configFileFull, RTFILE_O_READ);
407 if (VBOX_SUCCESS (vrc) || vrc == VERR_SHARING_VIOLATION)
408 {
409 rc = setError (E_FAIL,
410 tr ("Settings file '%s' already exists"), configFileFull);
411 if (VBOX_SUCCESS (vrc))
412 RTFileClose (f);
413 }
414 else
415 {
416 if (vrc != VERR_FILE_NOT_FOUND && vrc != VERR_PATH_NOT_FOUND)
417 rc = setError (E_FAIL,
418 tr ("Invalid settings file name: '%ls' (%Vrc)"),
419 mData->mConfigFileFull.raw(), vrc);
420 }
421 }
422
423 CheckComRCReturnRC (rc);
424
425 /* initialize mOSType */
426 mUserData->mOSType = mParent->getUnknownOSType();
427
428 /* create associated BIOS settings object */
429 unconst (mBIOSSettings).createObject();
430 mBIOSSettings->init(this);
431
432#ifdef VBOX_VRDP
433 /* create an associated VRDPServer object (default is disabled) */
434 unconst (mVRDPServer).createObject();
435 mVRDPServer->init(this);
436#endif
437
438 /* create an associated DVD drive object */
439 unconst (mDVDDrive).createObject();
440 mDVDDrive->init (this);
441
442 /* create an associated floppy drive object */
443 unconst (mFloppyDrive).createObject();
444 mFloppyDrive->init (this);
445
446 /* create the audio adapter object (always present, default is disabled) */
447 unconst (mAudioAdapter).createObject();
448 mAudioAdapter->init(this);
449
450 /* create the USB controller object (always present, default is disabled) */
451 unconst (mUSBController).createObject();
452 mUSBController->init(this);
453
454 /* create associated network adapter objects */
455 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
456 {
457 unconst (mNetworkAdapters [slot]).createObject();
458 mNetworkAdapters [slot]->init (this, slot);
459 }
460
461 if (aMode == Init_Registered)
462 {
463 /* store the supplied UUID (will be used to check for UUID consistency
464 * in loadSettings() */
465 unconst (mData->mUuid) = *aId;
466 /* try to load settings only if the settings file is accessible */
467 if (mData->mAccessible)
468 rc = registeredInit();
469 }
470 else
471 {
472 if (aMode != Init_New)
473 {
474 rc = loadSettings (false /* aRegistered */);
475 }
476 else
477 {
478 /* create the machine UUID */
479 unconst (mData->mUuid).create();
480
481 /* initialize the default snapshots folder */
482 rc = COMSETTER(SnapshotFolder) (NULL);
483 AssertComRC (rc);
484
485 /* memorize the provided new machine's name */
486 mUserData->mName = aName;
487 mUserData->mNameSync = aNameSync;
488 }
489
490 /* commit all changes made during the initialization */
491 if (SUCCEEDED (rc))
492 commit();
493 }
494
495 /* Confirm a successful initialization when it's the case */
496 if (SUCCEEDED (rc))
497 {
498 if (mData->mAccessible)
499 autoInitSpan.setSucceeded();
500 else
501 autoInitSpan.setLimited();
502 }
503
504 LogFlowThisFunc (("mName='%ls', mRegistered=%RTbool, mAccessible=%RTbool "
505 "rc=%08X\n",
506 mUserData->mName.raw(), mData->mRegistered,
507 mData->mAccessible, rc));
508
509 LogFlowThisFuncLeave();
510
511 return rc;
512}
513
514/**
515 * Initializes the registered machine by loading the settings file.
516 * This method is separated from #init() in order to make it possible to
517 * retry the operation after VirtualBox startup instead of refusing to
518 * startup the whole VirtualBox server in case if the settings file of some
519 * registered VM is invalid or inaccessible.
520 *
521 * @note Must be always called from this object's write lock
522 * (unless called from #init() that doesn't need any locking).
523 * @note Locks the mUSBController method for writing.
524 * @note Subclasses must not call this method.
525 */
526HRESULT Machine::registeredInit()
527{
528 AssertReturn (mType == IsMachine, E_FAIL);
529 AssertReturn (!mData->mUuid.isEmpty(), E_FAIL);
530
531 HRESULT rc = S_OK;
532
533 if (!mData->mAccessible)
534 rc = lockConfig();
535
536 /* Temporarily reset the registered flag in order to let setters potentially
537 * called from loadSettings() succeed (isMutable() used in all setters
538 * will return FALSE for a Machine instance if mRegistered is TRUE). */
539 mData->mRegistered = FALSE;
540
541 if (SUCCEEDED (rc))
542 {
543 rc = loadSettings (true /* aRegistered */);
544
545 if (FAILED (rc))
546 unlockConfig();
547 }
548
549 if (SUCCEEDED (rc))
550 {
551 mData->mAccessible = TRUE;
552
553 /* commit all changes made during loading the settings file */
554 commit();
555
556 /* VirtualBox will not call trySetRegistered(), so
557 * inform the USB proxy about all attached USB filters */
558 mUSBController->onMachineRegistered (TRUE);
559 }
560 else
561 {
562 /* If the machine is registered, then, instead of returning a
563 * failure, we mark it as inaccessible and set the result to
564 * success to give it a try later */
565 mData->mAccessible = FALSE;
566 /* fetch the current error info */
567 mData->mAccessError = com::ErrorInfo();
568 LogWarning (("Machine {%Vuuid} is inaccessible! [%ls]\n",
569 mData->mUuid.raw(),
570 mData->mAccessError.getText().raw()));
571
572 /* rollback all changes */
573 rollback (false /* aNotify */);
574
575 rc = S_OK;
576 }
577
578 /* Restore the registered flag (even on failure) */
579 mData->mRegistered = TRUE;
580
581 return rc;
582}
583
584/**
585 * Uninitializes the instance.
586 * Called either from FinalRelease() or by the parent when it gets destroyed.
587 *
588 * @note The caller of this method must make sure that this object
589 * a) doesn't have active callers on the current thread and b) is not locked
590 * by the current thread; otherwise uninit() will hang either a) due to
591 * AutoUninitSpan waiting for a number of calls to drop to zero or b) due to
592 * a dead-lock caused by this thread waiting for all callers on the other
593 * threads are are done but preventing them from doing so by holding a lock.
594 */
595void Machine::uninit()
596{
597 LogFlowThisFuncEnter();
598
599 Assert (!isLockedOnCurrentThread());
600
601 /* Enclose the state transition Ready->InUninit->NotReady */
602 AutoUninitSpan autoUninitSpan (this);
603 if (autoUninitSpan.uninitDone())
604 return;
605
606 Assert (mType == IsMachine);
607 Assert (!!mData && !!mUserData && !!mHWData && !!mHDData && !!mSSData);
608
609 LogFlowThisFunc (("initFailed()=%d\n", autoUninitSpan.initFailed()));
610 LogFlowThisFunc (("mRegistered=%d\n", mData->mRegistered));
611
612 /*
613 * Enter this object's lock because there may be a SessionMachine instance
614 * somewhere around, that shares our data and lock but doesn't use our
615 * addCaller()/removeCaller(), and it may be also accessing the same
616 * data members. mParent lock is necessary as well because of
617 * SessionMachine::uninit(), etc.
618 */
619 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
620
621 if (!mData->mSession.mMachine.isNull())
622 {
623 /*
624 * Theoretically, this can only happen if the VirtualBox server has
625 * been terminated while there were clients running that owned open
626 * direct sessions. Since in this case we are definitely called by
627 * VirtualBox::uninit(), we may be sure that SessionMachine::uninit()
628 * won't happen on the client watcher thread (because it does
629 * VirtualBox::addCaller() for the duration of the
630 * SessionMachine::checkForDeath() call, so that VirtualBox::uninit()
631 * cannot happen until the VirtualBox caller is released). This is
632 * important, because SessionMachine::uninit() cannot correctly operate
633 * after we return from this method (it expects the Machine instance
634 * is still valid). We'll call it ourselves below.
635 */
636 LogWarningThisFunc (("Session machine is not NULL (%p), "
637 "the direct session is still open!\n",
638 (SessionMachine *) mData->mSession.mMachine));
639
640 if (mData->mMachineState >= MachineState_Running)
641 {
642 LogWarningThisFunc (("Setting state to Aborted!\n"));
643 /* set machine state using SessionMachine reimplementation */
644 static_cast <Machine *> (mData->mSession.mMachine)
645 ->setMachineState (MachineState_Aborted);
646 }
647
648 /*
649 * Uninitialize SessionMachine using public uninit() to indicate
650 * an unexpected uninitialization.
651 */
652 mData->mSession.mMachine->uninit();
653 /* SessionMachine::uninit() must set mSession.mMachine to null */
654 Assert (mData->mSession.mMachine.isNull());
655 }
656
657 /* the lock is no more necessary (SessionMachine is uninitialized) */
658 alock.leave();
659
660 /* make sure the configuration is unlocked */
661 unlockConfig();
662
663 if (isModified())
664 {
665 LogWarningThisFunc (("Discarding unsaved settings changes!\n"));
666 rollback (false /* aNotify */);
667 }
668
669 uninitDataAndChildObjects();
670
671 mParent->removeDependentChild (this);
672
673 LogFlowThisFuncLeave();
674}
675
676// IMachine properties
677/////////////////////////////////////////////////////////////////////////////
678
679STDMETHODIMP Machine::COMGETTER(Parent) (IVirtualBox **aParent)
680{
681 if (!aParent)
682 return E_POINTER;
683
684 AutoLimitedCaller autoCaller (this);
685 CheckComRCReturnRC (autoCaller.rc());
686
687 /* mParent is constant during life time, no need to lock */
688 mParent.queryInterfaceTo (aParent);
689
690 return S_OK;
691}
692
693STDMETHODIMP Machine::COMGETTER(Accessible) (BOOL *aAccessible)
694{
695 if (!aAccessible)
696 return E_POINTER;
697
698 AutoLimitedCaller autoCaller (this);
699 CheckComRCReturnRC (autoCaller.rc());
700
701 AutoLock alock (this);
702
703 HRESULT rc = S_OK;
704
705 if (!mData->mAccessible)
706 {
707 /* try to initialize the VM once more if not accessible */
708
709 AutoReadySpan autoReadySpan (this);
710 AssertReturn (autoReadySpan.isOk(), E_FAIL);
711
712 rc = registeredInit();
713
714 if (mData->mAccessible)
715 autoReadySpan.setSucceeded();
716 }
717
718 if (SUCCEEDED (rc))
719 *aAccessible = mData->mAccessible;
720
721 return rc;
722}
723
724STDMETHODIMP Machine::COMGETTER(AccessError) (IVirtualBoxErrorInfo **aAccessError)
725{
726 if (!aAccessError)
727 return E_POINTER;
728
729 AutoLimitedCaller autoCaller (this);
730 CheckComRCReturnRC (autoCaller.rc());
731
732 AutoReaderLock alock (this);
733
734 if (mData->mAccessible || !mData->mAccessError.isBasicAvailable())
735 {
736 /* return shortly */
737 aAccessError = NULL;
738 return S_OK;
739 }
740
741 HRESULT rc = S_OK;
742
743 ComObjPtr <VirtualBoxErrorInfo> errorInfo;
744 rc = errorInfo.createObject();
745 if (SUCCEEDED (rc))
746 {
747 errorInfo->init (mData->mAccessError.getResultCode(),
748 mData->mAccessError.getInterfaceID(),
749 mData->mAccessError.getComponent(),
750 mData->mAccessError.getText());
751 rc = errorInfo.queryInterfaceTo (aAccessError);
752 }
753
754 return rc;
755}
756
757STDMETHODIMP Machine::COMGETTER(Name) (BSTR *aName)
758{
759 if (!aName)
760 return E_POINTER;
761
762 AutoCaller autoCaller (this);
763 CheckComRCReturnRC (autoCaller.rc());
764
765 AutoReaderLock alock (this);
766
767 mUserData->mName.cloneTo (aName);
768
769 return S_OK;
770}
771
772STDMETHODIMP Machine::COMSETTER(Name) (INPTR BSTR aName)
773{
774 if (!aName)
775 return E_INVALIDARG;
776
777 if (!*aName)
778 return setError (E_INVALIDARG,
779 tr ("Machine name cannot be empty"));
780
781 AutoCaller autoCaller (this);
782 CheckComRCReturnRC (autoCaller.rc());
783
784 AutoLock alock (this);
785
786 CHECK_SETTER();
787
788 mUserData.backup();
789 mUserData->mName = aName;
790
791 return S_OK;
792}
793
794STDMETHODIMP Machine::COMGETTER(Id) (GUIDPARAMOUT aId)
795{
796 if (!aId)
797 return E_POINTER;
798
799 AutoLimitedCaller autoCaller (this);
800 CheckComRCReturnRC (autoCaller.rc());
801
802 AutoReaderLock alock (this);
803
804 mData->mUuid.cloneTo (aId);
805
806 return S_OK;
807}
808
809STDMETHODIMP Machine::COMGETTER(OSType) (IGuestOSType **aOSType)
810{
811 if (!aOSType)
812 return E_POINTER;
813
814 AutoCaller autoCaller (this);
815 CheckComRCReturnRC (autoCaller.rc());
816
817 AutoReaderLock alock (this);
818
819 mUserData->mOSType.queryInterfaceTo (aOSType);
820
821 return S_OK;
822}
823
824STDMETHODIMP Machine::COMSETTER(OSType) (IGuestOSType *aOSType)
825{
826 if (!aOSType)
827 return E_INVALIDARG;
828
829 AutoCaller autoCaller (this);
830 CheckComRCReturnRC (autoCaller.rc());
831
832 AutoLock alock (this);
833
834 CHECK_SETTER();
835
836 mUserData.backup();
837 mUserData->mOSType = aOSType;
838
839 return S_OK;
840}
841
842STDMETHODIMP Machine::COMGETTER(MemorySize) (ULONG *memorySize)
843{
844 if (!memorySize)
845 return E_POINTER;
846
847 AutoCaller autoCaller (this);
848 CheckComRCReturnRC (autoCaller.rc());
849
850 AutoReaderLock alock (this);
851
852 *memorySize = mHWData->mMemorySize;
853
854 return S_OK;
855}
856
857STDMETHODIMP Machine::COMSETTER(MemorySize) (ULONG memorySize)
858{
859 /* check RAM limits */
860 if (memorySize < SchemaDefs::MinGuestRAM ||
861 memorySize > SchemaDefs::MaxGuestRAM)
862 return setError (E_INVALIDARG,
863 tr ("Invalid RAM size: %lu MB (must be in range [%lu, %lu] MB)"),
864 memorySize, SchemaDefs::MinGuestRAM, SchemaDefs::MaxGuestRAM);
865
866 AutoCaller autoCaller (this);
867 CheckComRCReturnRC (autoCaller.rc());
868
869 AutoLock alock (this);
870
871 CHECK_SETTER();
872
873 mHWData.backup();
874 mHWData->mMemorySize = memorySize;
875
876 return S_OK;
877}
878
879STDMETHODIMP Machine::COMGETTER(VRAMSize) (ULONG *memorySize)
880{
881 if (!memorySize)
882 return E_POINTER;
883
884 AutoCaller autoCaller (this);
885 CheckComRCReturnRC (autoCaller.rc());
886
887 AutoReaderLock alock (this);
888
889 *memorySize = mHWData->mVRAMSize;
890
891 return S_OK;
892}
893
894STDMETHODIMP Machine::COMSETTER(VRAMSize) (ULONG memorySize)
895{
896 /* check VRAM limits */
897 if (memorySize < SchemaDefs::MinGuestVRAM ||
898 memorySize > SchemaDefs::MaxGuestVRAM)
899 return setError (E_INVALIDARG,
900 tr ("Invalid VRAM size: %lu MB (must be in range [%lu, %lu] MB)"),
901 memorySize, SchemaDefs::MinGuestVRAM, SchemaDefs::MaxGuestVRAM);
902
903 AutoCaller autoCaller (this);
904 CheckComRCReturnRC (autoCaller.rc());
905
906 AutoLock alock (this);
907
908 CHECK_SETTER();
909
910 mHWData.backup();
911 mHWData->mVRAMSize = memorySize;
912
913 return S_OK;
914}
915
916STDMETHODIMP Machine::COMGETTER(BIOSSettings)(IBIOSSettings **biosSettings)
917{
918 if (!biosSettings)
919 return E_POINTER;
920
921 AutoCaller autoCaller (this);
922 CheckComRCReturnRC (autoCaller.rc());
923
924 /* mBIOSSettings is constant during life time, no need to lock */
925 mBIOSSettings.queryInterfaceTo (biosSettings);
926
927 return S_OK;
928}
929
930STDMETHODIMP Machine::COMGETTER(HWVirtExEnabled)(TriStateBool_T *enabled)
931{
932 if (!enabled)
933 return E_POINTER;
934
935 AutoCaller autoCaller (this);
936 CheckComRCReturnRC (autoCaller.rc());
937
938 AutoReaderLock alock (this);
939
940 *enabled = mHWData->mHWVirtExEnabled;
941
942 return S_OK;
943}
944
945STDMETHODIMP Machine::COMSETTER(HWVirtExEnabled)(TriStateBool_T enable)
946{
947 AutoCaller autoCaller (this);
948 CheckComRCReturnRC (autoCaller.rc());
949
950 AutoLock alock (this);
951
952 CHECK_SETTER();
953
954 /** @todo check validity! */
955
956 mHWData.backup();
957 mHWData->mHWVirtExEnabled = enable;
958
959 return S_OK;
960}
961
962STDMETHODIMP Machine::COMGETTER(SnapshotFolder) (BSTR *aSnapshotFolder)
963{
964 if (!aSnapshotFolder)
965 return E_POINTER;
966
967 AutoCaller autoCaller (this);
968 CheckComRCReturnRC (autoCaller.rc());
969
970 AutoReaderLock alock (this);
971
972 mUserData->mSnapshotFolderFull.cloneTo (aSnapshotFolder);
973
974 return S_OK;
975}
976
977STDMETHODIMP Machine::COMSETTER(SnapshotFolder) (INPTR BSTR aSnapshotFolder)
978{
979 /// @todo (r=dmik):
980 // 1. Allow to change the name of the snapshot folder containing snapshots
981 // 2. Rename the folder on disk instead of just changing the property
982 // value (to be smart and not to leave garbage). Note that it cannot be
983 // done here because the change may be rolled back. Thus, the right
984 // place is #saveSettings().
985
986 AutoCaller autoCaller (this);
987 CheckComRCReturnRC (autoCaller.rc());
988
989 AutoLock alock (this);
990
991 CHECK_SETTER();
992
993 if (!mData->mCurrentSnapshot.isNull())
994 return setError (E_FAIL,
995 tr ("The snapshot folder of a machine with snapshots cannot "
996 "be changed (please discard all snapshots first)"));
997
998 Utf8Str snapshotFolder = aSnapshotFolder;
999
1000 if (snapshotFolder.isEmpty())
1001 {
1002 if (isInOwnDir())
1003 {
1004 /* the default snapshots folder is 'Snapshots' in the machine dir */
1005 snapshotFolder = Utf8Str ("Snapshots");
1006 }
1007 else
1008 {
1009 /* the default snapshots folder is {UUID}, for backwards
1010 * compatibility and to resolve conflicts */
1011 snapshotFolder = Utf8StrFmt ("{%Vuuid}", mData->mUuid.raw());
1012 }
1013 }
1014
1015 int vrc = calculateFullPath (snapshotFolder, snapshotFolder);
1016 if (VBOX_FAILURE (vrc))
1017 return setError (E_FAIL,
1018 tr ("Invalid snapshot folder: '%ls' (%Vrc)"),
1019 aSnapshotFolder, vrc);
1020
1021 mUserData.backup();
1022 mUserData->mSnapshotFolder = aSnapshotFolder;
1023 mUserData->mSnapshotFolderFull = snapshotFolder;
1024
1025 return S_OK;
1026}
1027
1028STDMETHODIMP Machine::COMGETTER(HardDiskAttachments) (IHardDiskAttachmentCollection **attachments)
1029{
1030 if (!attachments)
1031 return E_POINTER;
1032
1033 AutoCaller autoCaller (this);
1034 CheckComRCReturnRC (autoCaller.rc());
1035
1036 AutoReaderLock alock (this);
1037
1038 ComObjPtr <HardDiskAttachmentCollection> collection;
1039 collection.createObject();
1040 collection->init (mHDData->mHDAttachments);
1041 collection.queryInterfaceTo (attachments);
1042
1043 return S_OK;
1044}
1045
1046STDMETHODIMP Machine::COMGETTER(VRDPServer)(IVRDPServer **vrdpServer)
1047{
1048 if (!vrdpServer)
1049 return E_POINTER;
1050
1051 AutoCaller autoCaller (this);
1052 CheckComRCReturnRC (autoCaller.rc());
1053
1054 AutoReaderLock alock (this);
1055
1056#ifdef VBOX_VRDP
1057 Assert (!!mVRDPServer);
1058 mVRDPServer.queryInterfaceTo (vrdpServer);
1059#else
1060 *vrdpServer = NULL;
1061#endif
1062
1063 return S_OK;
1064}
1065
1066STDMETHODIMP Machine::COMGETTER(DVDDrive) (IDVDDrive **dvdDrive)
1067{
1068 if (!dvdDrive)
1069 return E_POINTER;
1070
1071 AutoCaller autoCaller (this);
1072 CheckComRCReturnRC (autoCaller.rc());
1073
1074 AutoReaderLock alock (this);
1075
1076 Assert (!!mDVDDrive);
1077 mDVDDrive.queryInterfaceTo (dvdDrive);
1078 return S_OK;
1079}
1080
1081STDMETHODIMP Machine::COMGETTER(FloppyDrive) (IFloppyDrive **floppyDrive)
1082{
1083 if (!floppyDrive)
1084 return E_POINTER;
1085
1086 AutoCaller autoCaller (this);
1087 CheckComRCReturnRC (autoCaller.rc());
1088
1089 AutoReaderLock alock (this);
1090
1091 Assert (!!mFloppyDrive);
1092 mFloppyDrive.queryInterfaceTo (floppyDrive);
1093 return S_OK;
1094}
1095
1096STDMETHODIMP Machine::COMGETTER(AudioAdapter)(IAudioAdapter **audioAdapter)
1097{
1098 if (!audioAdapter)
1099 return E_POINTER;
1100
1101 AutoCaller autoCaller (this);
1102 CheckComRCReturnRC (autoCaller.rc());
1103
1104 AutoReaderLock alock (this);
1105
1106 mAudioAdapter.queryInterfaceTo (audioAdapter);
1107 return S_OK;
1108}
1109
1110STDMETHODIMP Machine::COMGETTER(USBController)(IUSBController * *a_ppUSBController)
1111{
1112#ifdef VBOX_WITH_USB
1113 if (!a_ppUSBController)
1114 return E_POINTER;
1115
1116 AutoCaller autoCaller (this);
1117 CheckComRCReturnRC (autoCaller.rc());
1118
1119 AutoReaderLock alock (this);
1120
1121 USBProxyService *usbProxyService = mParent->host()->usbProxyService();
1122 AssertReturn (usbProxyService, E_FAIL);
1123 if (!usbProxyService->isActive())
1124 {
1125 /* disable the USB controller completely to avoid assertions if the
1126 * USB proxy service could not start. */
1127
1128 Assert (VBOX_FAILURE (usbProxyService->getLastError()));
1129 if (usbProxyService->getLastError() == VERR_FILE_NOT_FOUND)
1130 return setError (E_FAIL,
1131 tr ("Could not load the USB proxy service (%Vrc), "
1132 "the virtual USB Controller is not available."
1133 "The service may not be installed on the host computer."),
1134 usbProxyService->getLastError());
1135 else
1136 return setError (E_FAIL,
1137 tr ("Could not load the USB proxy service (%Vrc), "
1138 "the virtual USB Controller is not available."),
1139 usbProxyService->getLastError());
1140 }
1141
1142 mUSBController.queryInterfaceTo (a_ppUSBController);
1143 return S_OK;
1144#else
1145 return E_NOTIMPL;
1146#endif
1147}
1148
1149STDMETHODIMP Machine::COMGETTER(SettingsFilePath) (BSTR *filePath)
1150{
1151 if (!filePath)
1152 return E_POINTER;
1153
1154 AutoLimitedCaller autoCaller (this);
1155 CheckComRCReturnRC (autoCaller.rc());
1156
1157 AutoReaderLock alock (this);
1158
1159 mData->mConfigFileFull.cloneTo (filePath);
1160 return S_OK;
1161}
1162
1163STDMETHODIMP Machine::COMGETTER(SettingsModified) (BOOL *modified)
1164{
1165 if (!modified)
1166 return E_POINTER;
1167
1168 AutoCaller autoCaller (this);
1169 CheckComRCReturnRC (autoCaller.rc());
1170
1171 AutoLock alock (this);
1172
1173 CHECK_SETTER();
1174
1175 if (!isConfigLocked())
1176 {
1177 /*
1178 * if we're ready and isConfigLocked() is FALSE then it means
1179 * that no config file exists yet, so always return TRUE
1180 */
1181 *modified = TRUE;
1182 }
1183 else
1184 {
1185 *modified = isModified();
1186 }
1187
1188 return S_OK;
1189}
1190
1191STDMETHODIMP Machine::COMGETTER(SessionState) (SessionState_T *sessionState)
1192{
1193 if (!sessionState)
1194 return E_POINTER;
1195
1196 AutoCaller autoCaller (this);
1197 CheckComRCReturnRC (autoCaller.rc());
1198
1199 AutoReaderLock alock (this);
1200
1201 *sessionState = mData->mSession.mState;
1202
1203 return S_OK;
1204}
1205
1206STDMETHODIMP Machine::COMGETTER(State) (MachineState_T *machineState)
1207{
1208 if (!machineState)
1209 return E_POINTER;
1210
1211 AutoCaller autoCaller (this);
1212 CheckComRCReturnRC (autoCaller.rc());
1213
1214 AutoReaderLock alock (this);
1215
1216 *machineState = mData->mMachineState;
1217
1218 return S_OK;
1219}
1220
1221STDMETHODIMP Machine::COMGETTER(LastStateChange) (LONG64 *aLastStateChange)
1222{
1223 if (!aLastStateChange)
1224 return E_POINTER;
1225
1226 AutoCaller autoCaller (this);
1227 CheckComRCReturnRC (autoCaller.rc());
1228
1229 AutoReaderLock alock (this);
1230
1231 *aLastStateChange = mData->mLastStateChange;
1232
1233 return S_OK;
1234}
1235
1236STDMETHODIMP Machine::COMGETTER(StateFilePath) (BSTR *aStateFilePath)
1237{
1238 if (!aStateFilePath)
1239 return E_POINTER;
1240
1241 AutoCaller autoCaller (this);
1242 CheckComRCReturnRC (autoCaller.rc());
1243
1244 AutoReaderLock alock (this);
1245
1246 mSSData->mStateFilePath.cloneTo (aStateFilePath);
1247
1248 return S_OK;
1249}
1250
1251STDMETHODIMP Machine::COMGETTER(CurrentSnapshot) (ISnapshot **aCurrentSnapshot)
1252{
1253 if (!aCurrentSnapshot)
1254 return E_POINTER;
1255
1256 AutoCaller autoCaller (this);
1257 CheckComRCReturnRC (autoCaller.rc());
1258
1259 AutoReaderLock alock (this);
1260
1261 mData->mCurrentSnapshot.queryInterfaceTo (aCurrentSnapshot);
1262
1263 return S_OK;
1264}
1265
1266STDMETHODIMP Machine::COMGETTER(SnapshotCount) (ULONG *aSnapshotCount)
1267{
1268 if (!aSnapshotCount)
1269 return E_POINTER;
1270
1271 AutoCaller autoCaller (this);
1272 CheckComRCReturnRC (autoCaller.rc());
1273
1274 AutoReaderLock alock (this);
1275
1276 *aSnapshotCount = !mData->mFirstSnapshot ? 0 :
1277 mData->mFirstSnapshot->descendantCount() + 1 /* self */;
1278
1279 return S_OK;
1280}
1281
1282STDMETHODIMP Machine::COMGETTER(CurrentStateModified) (BOOL *aCurrentStateModified)
1283{
1284 if (!aCurrentStateModified)
1285 return E_POINTER;
1286
1287 AutoCaller autoCaller (this);
1288 CheckComRCReturnRC (autoCaller.rc());
1289
1290 AutoReaderLock alock (this);
1291
1292 /*
1293 * Note: for machines with no snapshots, we always return FALSE
1294 * (mData->mCurrentStateModified will be TRUE in this case, for historical
1295 * reasons :)
1296 */
1297
1298 *aCurrentStateModified = !mData->mFirstSnapshot ? FALSE :
1299 mData->mCurrentStateModified;
1300
1301 return S_OK;
1302}
1303
1304STDMETHODIMP
1305Machine::COMGETTER(SharedFolders) (ISharedFolderCollection **aSharedFolders)
1306{
1307 if (!aSharedFolders)
1308 return E_POINTER;
1309
1310 AutoCaller autoCaller (this);
1311 CheckComRCReturnRC (autoCaller.rc());
1312
1313 AutoReaderLock alock (this);
1314
1315 ComObjPtr <SharedFolderCollection> coll;
1316 coll.createObject();
1317 coll->init (mHWData->mSharedFolders);
1318 coll.queryInterfaceTo (aSharedFolders);
1319
1320 return S_OK;
1321}
1322
1323STDMETHODIMP
1324Machine::COMGETTER(ClipboardMode) (ClipboardMode_T *aClipboardMode)
1325{
1326 if (!aClipboardMode)
1327 return E_POINTER;
1328
1329 AutoCaller autoCaller (this);
1330 CheckComRCReturnRC (autoCaller.rc());
1331
1332 AutoReaderLock alock (this);
1333
1334 *aClipboardMode = mHWData->mClipboardMode;
1335
1336 return S_OK;
1337}
1338
1339STDMETHODIMP
1340Machine::COMSETTER(ClipboardMode) (ClipboardMode_T aClipboardMode)
1341{
1342 AutoCaller autoCaller (this);
1343 CheckComRCReturnRC (autoCaller.rc());
1344
1345 AutoLock alock (this);
1346
1347 CHECK_SETTER();
1348
1349 mHWData.backup();
1350 mHWData->mClipboardMode = aClipboardMode;
1351
1352 return S_OK;
1353}
1354
1355// IMachine methods
1356/////////////////////////////////////////////////////////////////////////////
1357
1358STDMETHODIMP Machine::SetBootOrder (ULONG aPosition, DeviceType_T aDevice)
1359{
1360 if (aPosition < 1 || aPosition > SchemaDefs::MaxBootPosition)
1361 return setError (E_INVALIDARG,
1362 tr ("Invalid boot position: %lu (must be in range [1, %lu])"),
1363 aPosition, SchemaDefs::MaxBootPosition);
1364
1365 AutoCaller autoCaller (this);
1366 CheckComRCReturnRC (autoCaller.rc());
1367
1368 AutoLock alock (this);
1369
1370 CHECK_SETTER();
1371
1372 mHWData.backup();
1373 mHWData->mBootOrder [aPosition - 1] = aDevice;
1374
1375 return S_OK;
1376}
1377
1378STDMETHODIMP Machine::GetBootOrder (ULONG aPosition, DeviceType_T *aDevice)
1379{
1380 if (aPosition < 1 || aPosition > SchemaDefs::MaxBootPosition)
1381 return setError (E_INVALIDARG,
1382 tr ("Invalid boot position: %lu (must be in range [1, %lu])"),
1383 aPosition, SchemaDefs::MaxBootPosition);
1384
1385 AutoCaller autoCaller (this);
1386 CheckComRCReturnRC (autoCaller.rc());
1387
1388 AutoReaderLock alock (this);
1389
1390 *aDevice = mHWData->mBootOrder [aPosition - 1];
1391
1392 return S_OK;
1393}
1394
1395STDMETHODIMP Machine::AttachHardDisk (INPTR GUIDPARAM aId,
1396 DiskControllerType_T aCtl, LONG aDev)
1397{
1398 Guid id = aId;
1399
1400 if (id.isEmpty() ||
1401 aCtl == DiskControllerType_InvalidController ||
1402 aDev < 0 || aDev > 1)
1403 return E_INVALIDARG;
1404
1405 AutoCaller autoCaller (this);
1406 CheckComRCReturnRC (autoCaller.rc());
1407
1408 AutoLock alock (this);
1409
1410 CHECK_SETTER();
1411
1412 if (!mData->mRegistered)
1413 return setError (E_FAIL,
1414 tr ("Cannot attach hard disks to an unregistered machine"));
1415
1416 AssertReturn (mData->mMachineState != MachineState_Saved, E_FAIL);
1417
1418 if (mData->mMachineState >= MachineState_Running)
1419 return setError (E_FAIL,
1420 tr ("Invalid machine state: %d"), mData->mMachineState);
1421
1422 /* see if the device on the controller is already busy */
1423 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
1424 it != mHDData->mHDAttachments.end(); ++ it)
1425 {
1426 ComObjPtr <HardDiskAttachment> hda = *it;
1427 if (hda->controller() == aCtl && hda->deviceNumber() == aDev)
1428 {
1429 ComObjPtr <HardDisk> hd = hda->hardDisk();
1430 AutoLock hdLock (hd);
1431 return setError (E_FAIL,
1432 tr ("Hard disk '%ls' is already attached to device slot %d "
1433 "on controller %d"),
1434 hd->toString().raw(), aDev, aCtl);
1435 }
1436 }
1437
1438 /* find a hard disk by UUID */
1439 ComObjPtr <HardDisk> hd;
1440 HRESULT rc = mParent->getHardDisk (id, hd);
1441 if (FAILED (rc))
1442 return rc;
1443
1444 AutoLock hdLock (hd);
1445
1446 if (hd->isDifferencing())
1447 return setError (E_FAIL,
1448 tr ("Cannot attach the differencing hard disk '%ls'"),
1449 hd->toString().raw());
1450
1451 bool dirty = false;
1452
1453 switch (hd->type())
1454 {
1455 case HardDiskType_ImmutableHardDisk:
1456 {
1457 Assert (hd->machineId().isEmpty());
1458 /*
1459 * increase readers to protect from unregistration
1460 * until rollback()/commit() is done
1461 */
1462 hd->addReader();
1463 // LogTraceMsg (("A: %ls proteced\n", hd->toString().raw()));
1464 dirty = true;
1465 break;
1466 }
1467 case HardDiskType_WritethroughHardDisk:
1468 {
1469 Assert (hd->children().size() == 0);
1470 Assert (hd->snapshotId().isEmpty());
1471 /* fall through */
1472 }
1473 case HardDiskType_NormalHardDisk:
1474 {
1475 if (hd->machineId().isEmpty())
1476 {
1477 /* attach directly */
1478 hd->setMachineId (mData->mUuid);
1479 // LogTraceMsg (("A: %ls associated with %Vuuid\n",
1480 // hd->toString().raw(), mData->mUuid.raw()));
1481 dirty = true;
1482 }
1483 else
1484 {
1485 /* determine what the hard disk is already attached to */
1486 if (hd->snapshotId().isEmpty())
1487 {
1488 /* attached to some VM in its current state */
1489 if (hd->machineId() == mData->mUuid)
1490 {
1491 /*
1492 * attached to us, either in the backed up list of the
1493 * attachments or in the current one; the former is ok
1494 * (reattachment takes place within the same
1495 * "transaction") the latter is an error so check for it
1496 */
1497 for (HDData::HDAttachmentList::const_iterator it =
1498 mHDData->mHDAttachments.begin();
1499 it != mHDData->mHDAttachments.end(); ++ it)
1500 {
1501 if ((*it)->hardDisk().equalsTo (hd))
1502 {
1503 return setError (E_FAIL,
1504 tr ("Normal/Writethrough hard disk '%ls' is "
1505 "currently attached to device slot %d "
1506 "on controller %d of this machine"),
1507 hd->toString().raw(),
1508 (*it)->deviceNumber(), (*it)->controller());
1509 }
1510 }
1511 /*
1512 * dirty = false to indicate we didn't set machineId
1513 * and prevent it from being reset in DetachHardDisk()
1514 */
1515 // LogTraceMsg (("A: %ls found in old\n", hd->toString().raw()));
1516 }
1517 else
1518 {
1519 /* attached to other VM */
1520 return setError (E_FAIL,
1521 tr ("Normal/Writethrough hard disk '%ls' is "
1522 "currently attached to a machine with "
1523 "UUID {%Vuuid}"),
1524 hd->toString().raw(), hd->machineId().raw());
1525 }
1526 }
1527 else
1528 {
1529 /*
1530 * here we go when the HardDiskType_NormalHardDisk
1531 * is attached to some VM (probably to this one, too)
1532 * at some particular snapshot, so we can create a diff
1533 * based on it
1534 */
1535 Assert (!hd->machineId().isEmpty());
1536 /*
1537 * increase readers to protect from unregistration
1538 * until rollback()/commit() is done
1539 */
1540 hd->addReader();
1541 // LogTraceMsg (("A: %ls proteced\n", hd->toString().raw()));
1542 dirty = true;
1543 }
1544 }
1545
1546 break;
1547 }
1548 }
1549
1550 ComObjPtr <HardDiskAttachment> attachment;
1551 attachment.createObject();
1552 attachment->init (hd, aCtl, aDev, dirty);
1553
1554 mHDData.backup();
1555 mHDData->mHDAttachments.push_back (attachment);
1556 // LogTraceMsg (("A: %ls attached\n", hd->toString().raw()));
1557
1558 /* note: diff images are actually created only in commit() */
1559
1560 return S_OK;
1561}
1562
1563STDMETHODIMP Machine::GetHardDisk (DiskControllerType_T aCtl,
1564 LONG aDev, IHardDisk **aHardDisk)
1565{
1566 if (aCtl == DiskControllerType_InvalidController ||
1567 aDev < 0 || aDev > 1)
1568 return E_INVALIDARG;
1569
1570 AutoCaller autoCaller (this);
1571 CheckComRCReturnRC (autoCaller.rc());
1572
1573 AutoReaderLock alock (this);
1574
1575 *aHardDisk = NULL;
1576
1577 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
1578 it != mHDData->mHDAttachments.end(); ++ it)
1579 {
1580 ComObjPtr <HardDiskAttachment> hda = *it;
1581 if (hda->controller() == aCtl && hda->deviceNumber() == aDev)
1582 {
1583 hda->hardDisk().queryInterfaceTo (aHardDisk);
1584 return S_OK;
1585 }
1586 }
1587
1588 return setError (E_INVALIDARG,
1589 tr ("No hard disk attached to device slot %d on controller %d"),
1590 aDev, aCtl);
1591}
1592
1593STDMETHODIMP Machine::DetachHardDisk (DiskControllerType_T aCtl, LONG aDev)
1594{
1595 if (aCtl == DiskControllerType_InvalidController ||
1596 aDev < 0 || aDev > 1)
1597 return E_INVALIDARG;
1598
1599 AutoCaller autoCaller (this);
1600 CheckComRCReturnRC (autoCaller.rc());
1601
1602 AutoLock alock (this);
1603
1604 CHECK_SETTER();
1605
1606 AssertReturn (mData->mMachineState != MachineState_Saved, E_FAIL);
1607
1608 if (mData->mMachineState >= MachineState_Running)
1609 return setError (E_FAIL,
1610 tr ("Invalid machine state: %d"), mData->mMachineState);
1611
1612 for (HDData::HDAttachmentList::iterator it = mHDData->mHDAttachments.begin();
1613 it != mHDData->mHDAttachments.end(); ++ it)
1614 {
1615 ComObjPtr <HardDiskAttachment> hda = *it;
1616 if (hda->controller() == aCtl && hda->deviceNumber() == aDev)
1617 {
1618 ComObjPtr <HardDisk> hd = hda->hardDisk();
1619 AutoLock hdLock (hd);
1620
1621 ComAssertRet (hd->children().size() == 0 &&
1622 hd->machineId() == mData->mUuid, E_FAIL);
1623
1624 if (hda->isDirty())
1625 {
1626 switch (hd->type())
1627 {
1628 case HardDiskType_ImmutableHardDisk:
1629 {
1630 /* decrease readers increased in AttachHardDisk() */
1631 hd->releaseReader();
1632 // LogTraceMsg (("D: %ls released\n", hd->toString().raw()));
1633 break;
1634 }
1635 case HardDiskType_WritethroughHardDisk:
1636 {
1637 /* deassociate from this machine */
1638 hd->setMachineId (Guid());
1639 // LogTraceMsg (("D: %ls deassociated\n", hd->toString().raw()));
1640 break;
1641 }
1642 case HardDiskType_NormalHardDisk:
1643 {
1644 if (hd->snapshotId().isEmpty())
1645 {
1646 /* deassociate from this machine */
1647 hd->setMachineId (Guid());
1648 // LogTraceMsg (("D: %ls deassociated\n", hd->toString().raw()));
1649 }
1650 else
1651 {
1652 /* decrease readers increased in AttachHardDisk() */
1653 hd->releaseReader();
1654 // LogTraceMsg (("%ls released\n", hd->toString().raw()));
1655 }
1656
1657 break;
1658 }
1659 }
1660 }
1661
1662 mHDData.backup();
1663 /*
1664 * we cannot use erase (it) below because backup() above will create
1665 * a copy of the list and make this copy active, but the iterator
1666 * still refers to the original and is not valid for a copy
1667 */
1668 mHDData->mHDAttachments.remove (hda);
1669 // LogTraceMsg (("D: %ls detached\n", hd->toString().raw()));
1670
1671 /*
1672 * note: Non-dirty hard disks are actually deassociated
1673 * and diff images are deleted only in commit()
1674 */
1675
1676 return S_OK;
1677 }
1678 }
1679
1680 return setError (E_INVALIDARG,
1681 tr ("No hard disk attached to device slot %d on controller %d"),
1682 aDev, aCtl);
1683}
1684
1685STDMETHODIMP Machine::GetNetworkAdapter (ULONG slot, INetworkAdapter **adapter)
1686{
1687 if (!adapter)
1688 return E_POINTER;
1689 if (slot >= ELEMENTS (mNetworkAdapters))
1690 return setError (E_INVALIDARG, tr ("Invalid slot number: %d"), slot);
1691
1692 AutoCaller autoCaller (this);
1693 CheckComRCReturnRC (autoCaller.rc());
1694
1695 AutoReaderLock alock (this);
1696
1697 mNetworkAdapters [slot].queryInterfaceTo (adapter);
1698
1699 return S_OK;
1700}
1701
1702/**
1703 * Returns the extra data key name following the given key. If the key
1704 * is not found, an error is returned. If NULL is supplied, the first
1705 * key will be returned. If key is the last item, NULL will be returned.
1706 *
1707 * @returns COM status code
1708 * @param key extra data key name
1709 * @param nextKey name of the key following "key". NULL if "key" is the last.
1710 * @param nextValue value of the key following "key". Optional parameter.
1711 */
1712STDMETHODIMP Machine::GetNextExtraDataKey(INPTR BSTR key, BSTR *nextKey, BSTR *nextValue)
1713{
1714 if (!nextKey)
1715 return E_POINTER;
1716
1717 AutoCaller autoCaller (this);
1718 CheckComRCReturnRC (autoCaller.rc());
1719
1720 AutoReaderLock alock (this);
1721
1722 /* start with nothing found */
1723 *nextKey = NULL;
1724
1725 /*
1726 * if we're ready and isConfigLocked() is FALSE then it means
1727 * that no config file exists yet, so return shortly
1728 */
1729 if (!isConfigLocked())
1730 return S_OK;
1731
1732 HRESULT rc = S_OK;
1733
1734 /* load the config file */
1735 CFGHANDLE configLoader = 0;
1736 rc = openConfigLoader (&configLoader);
1737 if (FAILED (rc))
1738 return E_FAIL;
1739
1740 CFGNODE machineNode;
1741 CFGNODE extraDataNode;
1742
1743 /* navigate to the right position */
1744 if (VBOX_SUCCESS(CFGLDRGetNode(configLoader, "VirtualBox/Machine", 0, &machineNode)) &&
1745 VBOX_SUCCESS(CFGLDRGetChildNode(machineNode, "ExtraData", 0, &extraDataNode)))
1746 {
1747 /* check if it exists */
1748 bool found = false;
1749 unsigned count;
1750 CFGNODE extraDataItemNode;
1751 CFGLDRCountChildren(extraDataNode, "ExtraDataItem", &count);
1752 for (unsigned i = 0; (i < count) && (found == false); i++)
1753 {
1754 Bstr name;
1755 CFGLDRGetChildNode(extraDataNode, "ExtraDataItem", i, &extraDataItemNode);
1756 CFGLDRQueryBSTR(extraDataItemNode, "name", name.asOutParam());
1757
1758 /* if we're supposed to return the first one */
1759 if (key == NULL)
1760 {
1761 name.cloneTo(nextKey);
1762 if (nextValue)
1763 CFGLDRQueryBSTR(extraDataItemNode, "value", nextValue);
1764 found = true;
1765 }
1766 /* did we find the key we're looking for? */
1767 else if (name == key)
1768 {
1769 found = true;
1770 /* is there another item? */
1771 if (i + 1 < count)
1772 {
1773 CFGLDRGetChildNode(extraDataNode, "ExtraDataItem", i + 1, &extraDataItemNode);
1774 CFGLDRQueryBSTR(extraDataItemNode, "name", name.asOutParam());
1775 name.cloneTo(nextKey);
1776 if (nextValue)
1777 CFGLDRQueryBSTR(extraDataItemNode, "value", nextValue);
1778 found = true;
1779 }
1780 else
1781 {
1782 /* it's the last one */
1783 *nextKey = NULL;
1784 }
1785 }
1786 CFGLDRReleaseNode(extraDataItemNode);
1787 }
1788
1789 /* if we haven't found the key, it's an error */
1790 if (!found)
1791 rc = setError(E_FAIL, tr("Could not find extra data key"));
1792
1793 CFGLDRReleaseNode(extraDataNode);
1794 CFGLDRReleaseNode(machineNode);
1795 }
1796
1797 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
1798
1799 return rc;
1800}
1801
1802/**
1803 * Returns associated extra data from the configuration. If the key does
1804 * not exist, NULL will be stored in the output pointer.
1805 *
1806 * @returns COM status code
1807 * @param key extra data key
1808 * @param value address of result pointer
1809 */
1810STDMETHODIMP Machine::GetExtraData(INPTR BSTR key, BSTR *value)
1811{
1812 if (!key)
1813 return E_INVALIDARG;
1814 if (!value)
1815 return E_POINTER;
1816
1817 AutoCaller autoCaller (this);
1818 CheckComRCReturnRC (autoCaller.rc());
1819
1820 AutoReaderLock alock (this);
1821
1822 /* start with nothing found */
1823 *value = NULL;
1824
1825 /*
1826 * if we're ready and isConfigLocked() is FALSE then it means
1827 * that no config file exists yet, so return shortly
1828 */
1829 if (!isConfigLocked())
1830 return S_OK;
1831
1832 HRESULT rc = S_OK;
1833
1834 /* load the config file */
1835 CFGHANDLE configLoader = 0;
1836 rc = openConfigLoader (&configLoader);
1837 if (FAILED (rc))
1838 return E_FAIL;
1839
1840 CFGNODE machineNode;
1841 CFGNODE extraDataNode;
1842
1843 /* navigate to the right position */
1844 if (VBOX_SUCCESS(CFGLDRGetNode(configLoader, "VirtualBox/Machine", 0, &machineNode)) &&
1845 VBOX_SUCCESS(CFGLDRGetChildNode(machineNode, "ExtraData", 0, &extraDataNode)))
1846 {
1847 /* check if it exists */
1848 bool found = false;
1849 unsigned count;
1850 CFGNODE extraDataItemNode;
1851 CFGLDRCountChildren(extraDataNode, "ExtraDataItem", &count);
1852 for (unsigned i = 0; (i < count) && (found == false); i++)
1853 {
1854 Bstr name;
1855 CFGLDRGetChildNode(extraDataNode, "ExtraDataItem", i, &extraDataItemNode);
1856 CFGLDRQueryBSTR(extraDataItemNode, "name", name.asOutParam());
1857 if (name == key)
1858 {
1859 found = true;
1860 CFGLDRQueryBSTR(extraDataItemNode, "value", value);
1861 }
1862 CFGLDRReleaseNode(extraDataItemNode);
1863 }
1864
1865 CFGLDRReleaseNode(extraDataNode);
1866 CFGLDRReleaseNode(machineNode);
1867 }
1868
1869 rc = closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
1870
1871 return rc;
1872}
1873
1874/**
1875 * Stores associated extra data in the configuration. If the data value is NULL
1876 * then the corresponding extra data item is deleted. This method can be called
1877 * outside a session and therefore belongs to the non protected machine data.
1878 *
1879 * @param key extra data key
1880 * @param value extra data value
1881 *
1882 * @note Locks mParent for reading + this object for writing.
1883 */
1884STDMETHODIMP Machine::SetExtraData (INPTR BSTR key, INPTR BSTR value)
1885{
1886 if (!key)
1887 return E_INVALIDARG;
1888
1889 AutoCaller autoCaller (this);
1890 CheckComRCReturnRC (autoCaller.rc());
1891
1892 /* VirtualBox::onExtraDataCanChange() needs mParent lock */
1893 AutoMultiLock <2> alock (mParent->rlock(), this->wlock());
1894
1895 if (mType == IsSnapshotMachine)
1896 CHECK_SETTER();
1897
1898 bool changed = false;
1899 HRESULT rc = S_OK;
1900
1901 /*
1902 * if we're ready and isConfigLocked() is FALSE then it means
1903 * that no config file exists yet, so call saveSettings() to create one
1904 */
1905 if (!isConfigLocked())
1906 {
1907 rc = saveSettings (false /* aMarkCurStateAsModified */);
1908 if (FAILED (rc))
1909 return rc;
1910 }
1911
1912 /* load the config file */
1913 CFGHANDLE configLoader = 0;
1914 rc = openConfigLoader (&configLoader);
1915 if (FAILED (rc))
1916 return rc;
1917
1918 CFGNODE machineNode = 0;
1919 CFGNODE extraDataNode = 0;
1920
1921 int vrc = CFGLDRGetNode (configLoader, "VirtualBox/Machine", 0, &machineNode);
1922 if (VBOX_FAILURE (vrc))
1923 vrc = CFGLDRCreateNode (configLoader, "VirtualBox/Machine", &machineNode);
1924
1925 vrc = CFGLDRGetChildNode (machineNode, "ExtraData", 0, &extraDataNode);
1926 if (VBOX_FAILURE (vrc) && value)
1927 vrc = CFGLDRCreateChildNode (machineNode, "ExtraData", &extraDataNode);
1928
1929 if (extraDataNode)
1930 {
1931 CFGNODE extraDataItemNode = 0;
1932 Bstr oldVal;
1933
1934 unsigned count;
1935 CFGLDRCountChildren (extraDataNode, "ExtraDataItem", &count);
1936
1937 for (unsigned i = 0; i < count; i++)
1938 {
1939 CFGLDRGetChildNode (extraDataNode, "ExtraDataItem", i, &extraDataItemNode);
1940 Bstr name;
1941 CFGLDRQueryBSTR (extraDataItemNode, "name", name.asOutParam());
1942 if (name == key)
1943 {
1944 CFGLDRQueryBSTR (extraDataItemNode, "value", oldVal.asOutParam());
1945 break;
1946 }
1947 CFGLDRReleaseNode (extraDataItemNode);
1948 extraDataItemNode = 0;
1949 }
1950
1951 /*
1952 * When no key is found, oldVal is null
1953 * Note:
1954 * 1. when oldVal is null, |oldVal == (BSTR) NULL| is true
1955 * 2. we cannot do |oldVal != value| because it will compare
1956 * BSTR pointers instead of strings (due to type conversion ops)
1957 */
1958 changed = !(oldVal == value);
1959
1960 if (changed)
1961 {
1962 /* ask for permission from all listeners */
1963 if (!mParent->onExtraDataCanChange (mData->mUuid, key, value))
1964 {
1965 LogWarningFunc (("Someone vetoed! Change refused!\n"));
1966 rc = setError (E_ACCESSDENIED,
1967 tr ("Could not set extra data because someone refused "
1968 "the requested change of '%ls' to '%ls'"), key, value);
1969 }
1970 else
1971 {
1972 if (value)
1973 {
1974 if (!extraDataItemNode)
1975 {
1976 /* create a new item */
1977 CFGLDRAppendChildNode (extraDataNode, "ExtraDataItem",
1978 &extraDataItemNode);
1979 CFGLDRSetBSTR (extraDataItemNode, "name", key);
1980 }
1981 CFGLDRSetBSTR (extraDataItemNode, "value", value);
1982 }
1983 else
1984 {
1985 /* an old value does for sure exist here */
1986 CFGLDRDeleteNode (extraDataItemNode);
1987 extraDataItemNode = 0;
1988 }
1989 }
1990 }
1991
1992 if (extraDataItemNode)
1993 CFGLDRReleaseNode (extraDataItemNode);
1994
1995 CFGLDRReleaseNode (extraDataNode);
1996 }
1997
1998 CFGLDRReleaseNode (machineNode);
1999
2000 if (SUCCEEDED (rc) && changed)
2001 rc = closeConfigLoader (configLoader, true /* aSaveBeforeClose */);
2002 else
2003 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
2004
2005 /* fire an event */
2006 if (SUCCEEDED (rc) && changed)
2007 {
2008 mParent->onExtraDataChange (mData->mUuid, key, value);
2009 }
2010
2011 return rc;
2012}
2013
2014STDMETHODIMP Machine::SaveSettings()
2015{
2016 AutoCaller autoCaller (this);
2017 CheckComRCReturnRC (autoCaller.rc());
2018
2019 /* Under some circumstancies, saveSettings() needs mParent lock */
2020 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
2021
2022 CHECK_SETTER();
2023
2024 /* the settings file path may never be null */
2025 ComAssertRet (mData->mConfigFileFull, E_FAIL);
2026
2027 /* save all VM data excluding snapshots */
2028 return saveSettings();
2029}
2030
2031STDMETHODIMP Machine::DiscardSettings()
2032{
2033 AutoCaller autoCaller (this);
2034 CheckComRCReturnRC (autoCaller.rc());
2035
2036 AutoLock alock (this);
2037
2038 CHECK_SETTER();
2039
2040 /*
2041 * during this rollback, the session will be notified if data has
2042 * been actually changed
2043 */
2044 rollback (true /* aNotify */);
2045
2046 return S_OK;
2047}
2048
2049STDMETHODIMP Machine::DeleteSettings()
2050{
2051 AutoCaller autoCaller (this);
2052 CheckComRCReturnRC (autoCaller.rc());
2053
2054 AutoLock alock (this);
2055
2056 CHECK_SETTER();
2057
2058 if (mData->mRegistered)
2059 return setError (E_FAIL,
2060 tr ("Cannot delete settings of a registered machine"));
2061
2062 /* delete the settings only when the file actually exists */
2063 if (isConfigLocked())
2064 {
2065 unlockConfig();
2066 int vrc = RTFileDelete (Utf8Str (mData->mConfigFileFull));
2067 if (VBOX_FAILURE (vrc))
2068 return setError (E_FAIL,
2069 tr ("Could not delete the settings file '%ls' (%Vrc)"),
2070 mData->mConfigFileFull.raw(), vrc);
2071
2072 /* delete the Logs folder, nothing important should be left
2073 * there (we don't check for errors because the user might have
2074 * some private files there that we don't want to delete) */
2075 Utf8Str logFolder;
2076 getLogFolder (logFolder);
2077 Assert (!logFolder.isEmpty());
2078 if (RTDirExists (logFolder))
2079 {
2080 /* delete all VBox.log[.N] files from the Logs folder
2081 * (this must be in sync with the rotation logic in
2082 * Console::powerUpThread()) */
2083 Utf8Str log = Utf8StrFmt ("%s/VBox.log", logFolder.raw());
2084 RTFileDelete (log);
2085 for (int i = 3; i >= 0; i--)
2086 {
2087 log = Utf8StrFmt ("%s/VBox.log.%d", logFolder.raw(), i);
2088 RTFileDelete (log);
2089 }
2090
2091 RTDirRemove (logFolder);
2092 }
2093
2094 /* delete the Snapshots folder, nothing important should be left
2095 * there (we don't check for errors because the user might have
2096 * some private files there that we don't want to delete) */
2097 Utf8Str snapshotFolder = mUserData->mSnapshotFolderFull;
2098 Assert (!snapshotFolder.isEmpty());
2099 if (RTDirExists (snapshotFolder))
2100 RTDirRemove (snapshotFolder);
2101
2102 /* delete the directory that contains the settings file, but only
2103 * if it matches the VM name (i.e. a structure created by default in
2104 * openConfigLoader()) */
2105 {
2106 Utf8Str settingsDir;
2107 if (isInOwnDir (&settingsDir))
2108 RTDirRemove (settingsDir);
2109 }
2110 }
2111
2112 return S_OK;
2113}
2114
2115STDMETHODIMP Machine::GetSnapshot (INPTR GUIDPARAM aId, ISnapshot **aSnapshot)
2116{
2117 if (!aSnapshot)
2118 return E_POINTER;
2119
2120 AutoCaller autoCaller (this);
2121 CheckComRCReturnRC (autoCaller.rc());
2122
2123 AutoReaderLock alock (this);
2124
2125 Guid id = aId;
2126 ComObjPtr <Snapshot> snapshot;
2127
2128 HRESULT rc = findSnapshot (id, snapshot, true /* aSetError */);
2129 snapshot.queryInterfaceTo (aSnapshot);
2130
2131 return rc;
2132}
2133
2134STDMETHODIMP Machine::FindSnapshot (INPTR BSTR aName, ISnapshot **aSnapshot)
2135{
2136 if (!aName)
2137 return E_INVALIDARG;
2138 if (!aSnapshot)
2139 return E_POINTER;
2140
2141 AutoCaller autoCaller (this);
2142 CheckComRCReturnRC (autoCaller.rc());
2143
2144 AutoReaderLock alock (this);
2145
2146 ComObjPtr <Snapshot> snapshot;
2147
2148 HRESULT rc = findSnapshot (aName, snapshot, true /* aSetError */);
2149 snapshot.queryInterfaceTo (aSnapshot);
2150
2151 return rc;
2152}
2153
2154STDMETHODIMP Machine::SetCurrentSnapshot (INPTR GUIDPARAM aId)
2155{
2156 /// @todo (dmik) don't forget to set
2157 // mData->mCurrentStateModified to FALSE
2158
2159 return setError (E_NOTIMPL, "Not implemented");
2160}
2161
2162STDMETHODIMP
2163Machine::CreateSharedFolder (INPTR BSTR aName, INPTR BSTR aHostPath)
2164{
2165 if (!aName || !aHostPath)
2166 return E_INVALIDARG;
2167
2168 AutoCaller autoCaller (this);
2169 CheckComRCReturnRC (autoCaller.rc());
2170
2171 AutoLock alock (this);
2172
2173 CHECK_SETTER();
2174
2175 /// @todo (dmik) check global shared folders when they are done
2176
2177 ComObjPtr <SharedFolder> sharedFolder;
2178 HRESULT rc = findSharedFolder (aName, sharedFolder, false /* aSetError */);
2179 if (SUCCEEDED (rc))
2180 return setError (E_FAIL,
2181 tr ("Shared folder named '%ls' already exists"), aName);
2182
2183 sharedFolder.createObject();
2184 rc = sharedFolder->init (machine(), aName, aHostPath);
2185 if (FAILED (rc))
2186 return rc;
2187
2188 BOOL accessible = FALSE;
2189 rc = sharedFolder->COMGETTER(Accessible) (&accessible);
2190 if (FAILED (rc))
2191 return rc;
2192
2193 if (!accessible)
2194 return setError (E_FAIL,
2195 tr ("Shared folder path '%ls' is not accessible"), aHostPath);
2196
2197 mHWData.backup();
2198 mHWData->mSharedFolders.push_back (sharedFolder);
2199
2200 return S_OK;
2201}
2202
2203STDMETHODIMP Machine::RemoveSharedFolder (INPTR BSTR aName)
2204{
2205 if (!aName)
2206 return E_INVALIDARG;
2207
2208 AutoCaller autoCaller (this);
2209 CheckComRCReturnRC (autoCaller.rc());
2210
2211 AutoReaderLock alock (this);
2212
2213 CHECK_SETTER();
2214
2215 ComObjPtr <SharedFolder> sharedFolder;
2216 HRESULT rc = findSharedFolder (aName, sharedFolder, true /* aSetError */);
2217 if (FAILED (rc))
2218 return rc;
2219
2220 mHWData.backup();
2221 mHWData->mSharedFolders.remove (sharedFolder);
2222
2223 return S_OK;
2224}
2225
2226// public methods for internal purposes
2227/////////////////////////////////////////////////////////////////////////////
2228
2229/**
2230 * Returns the session machine object associated with the this machine.
2231 * The returned session machine is null if no direct session is currently open.
2232 *
2233 * @Note locks this object for reading.
2234 */
2235ComObjPtr <SessionMachine> Machine::sessionMachine()
2236{
2237 ComObjPtr <SessionMachine> sm;
2238
2239 AutoCaller autoCaller (this);
2240 /* the machine may be inaccessible, so don't assert below */
2241 if (FAILED (autoCaller.rc()))
2242 return sm;
2243
2244 AutoReaderLock alock (this);
2245
2246 sm = mData->mSession.mMachine;
2247 Assert (!sm.isNull() ||
2248 mData->mSession.mState != SessionState_SessionOpen);
2249
2250 return sm;
2251}
2252
2253/**
2254 * Calculates the absolute path of the given path taking the directory of
2255 * the machine settings file as the current directory.
2256 *
2257 * @param aPath path to calculate the absolute path for
2258 * @param aResult where to put the result (used only on success,
2259 * so can be the same Utf8Str instance as passed as \a aPath)
2260 * @return VirtualBox result
2261 *
2262 * @note Locks this object for reading.
2263 */
2264int Machine::calculateFullPath (const char *aPath, Utf8Str &aResult)
2265{
2266 AutoCaller autoCaller (this);
2267 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
2268
2269 AutoReaderLock alock (this);
2270
2271 AssertReturn (!mData->mConfigFileFull.isNull(), VERR_GENERAL_FAILURE);
2272
2273 Utf8Str settingsDir = mData->mConfigFileFull;
2274
2275 RTPathStripFilename (settingsDir.mutableRaw());
2276 char folder [RTPATH_MAX];
2277 int vrc = RTPathAbsEx (settingsDir, aPath,
2278 folder, sizeof (folder));
2279 if (VBOX_SUCCESS (vrc))
2280 aResult = folder;
2281
2282 return vrc;
2283}
2284
2285/**
2286 * Tries to calculate the relative path of the given absolute path using the
2287 * directory of the machine settings file as the base directory.
2288 *
2289 * @param aPath absolute path to calculate the relative path for
2290 * @param aResult where to put the result (used only when it's possible to
2291 * make a relative path from the given absolute path;
2292 * otherwise left untouched)
2293 *
2294 * @note Locks this object for reading.
2295 */
2296void Machine::calculateRelativePath (const char *aPath, Utf8Str &aResult)
2297{
2298 AutoCaller autoCaller (this);
2299 AssertComRCReturn (autoCaller.rc(), (void) 0);
2300
2301 AutoReaderLock alock (this);
2302
2303 AssertReturnVoid (!mData->mConfigFileFull.isNull());
2304
2305 Utf8Str settingsDir = mData->mConfigFileFull;
2306
2307 RTPathStripFilename (settingsDir.mutableRaw());
2308 if (RTPathStartsWith (aPath, settingsDir))
2309 {
2310 /* when assigning, we create a separate Utf8Str instance because both
2311 * aPath and aResult can point to the same memory location when this
2312 * func is called (if we just do aResult = aPath, aResult will be freed
2313 * first, and since its the same as aPath, an attempt to copy garbage
2314 * will be made. */
2315 aResult = Utf8Str (aPath + settingsDir.length() + 1);
2316 }
2317}
2318
2319/**
2320 * Returns the full path to the machine's log folder in the
2321 * \a aLogFolder argument.
2322 */
2323void Machine::getLogFolder (Utf8Str &aLogFolder)
2324{
2325 AutoCaller autoCaller (this);
2326 AssertComRCReturn (autoCaller.rc(), (void) 0);
2327
2328 AutoReaderLock alock (this);
2329
2330 Utf8Str settingsDir;
2331 if (isInOwnDir (&settingsDir))
2332 {
2333 /* Log folder is <Machines>/<VM_Name>/Logs */
2334 aLogFolder = Utf8StrFmt ("%s%cLogs", settingsDir.raw(), RTPATH_DELIMITER);
2335 }
2336 else
2337 {
2338 /* Log folder is <Machines>/<VM_SnapshotFolder>/Logs */
2339 Assert (!mUserData->mSnapshotFolderFull.isEmpty());
2340 aLogFolder = Utf8StrFmt ("%ls%cLogs", mUserData->mSnapshotFolderFull.raw(),
2341 RTPATH_DELIMITER);
2342 }
2343}
2344
2345/**
2346 * @note Locks mParent and this object for writing,
2347 * calls the client process (outside the lock).
2348 */
2349HRESULT Machine::openSession (IInternalSessionControl *aControl)
2350{
2351 LogFlowThisFuncEnter();
2352
2353 AssertReturn (aControl, E_FAIL);
2354
2355 AutoCaller autoCaller (this);
2356 CheckComRCReturnRC (autoCaller.rc());
2357
2358 /* We need VirtualBox lock because of Progress::notifyComplete() */
2359 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
2360
2361 if (!mData->mRegistered)
2362 return setError (E_UNEXPECTED,
2363 tr ("The machine '%ls' is not registered"), mUserData->mName.raw());
2364
2365 LogFlowThisFunc (("mSession.mState=%d\n", mData->mSession.mState));
2366
2367 if (mData->mSession.mState == SessionState_SessionOpen ||
2368 mData->mSession.mState == SessionState_SessionClosing)
2369 return setError (E_ACCESSDENIED,
2370 tr ("A session for the machine '%ls' is currently open "
2371 "(or being closed)"),
2372 mUserData->mName.raw());
2373
2374 /* may not be Running */
2375 AssertReturn (mData->mMachineState < MachineState_Running, E_FAIL);
2376
2377 if (mData->mSession.mState == SessionState_SessionSpawning)
2378 {
2379 /*
2380 * this machine awaits for a spawning session to be opened,
2381 * so reject any other open attempts from processes other than
2382 * one started by #openRemoteSession().
2383 */
2384
2385 RTPROCESS pid = NIL_RTPROCESS;
2386 aControl->GetPID ((ULONG *) &pid);
2387
2388 LogFlowThisFunc (("mSession.mPid=%d(0x%x)\n",
2389 mData->mSession.mPid, mData->mSession.mPid));
2390 LogFlowThisFunc (("session.pid=%d(0x%x)\n", pid, pid));
2391
2392 if (mData->mSession.mPid != pid)
2393 return setError (E_ACCESSDENIED,
2394 tr ("An unexpected process (PID=0x%08X) has tried to open a direct "
2395 "session with the machine named '%ls', while only a process "
2396 "started by OpenRemoteSession (PID=0x%08X) is allowed"),
2397 pid, mUserData->mName.raw(), mData->mSession.mPid);
2398 }
2399
2400 /* create a SessionMachine object */
2401 ComObjPtr <SessionMachine> sessionMachine;
2402 sessionMachine.createObject();
2403 HRESULT rc = sessionMachine->init (this);
2404 AssertComRC (rc);
2405
2406 if (SUCCEEDED (rc))
2407 {
2408 /*
2409 * Set the session state to Spawning to protect against subsequent
2410 * attempts to open a session and to unregister the machine after
2411 * we leave the lock.
2412 */
2413 SessionState_T origState = mData->mSession.mState;
2414 mData->mSession.mState = SessionState_SessionSpawning;
2415
2416 /*
2417 * Leave the lock before calling the client process -- it will call
2418 * Machine/SessionMachine methods. Leaving the lock here is quite safe
2419 * because the state is Spawning, so that openRemotesession() and
2420 * openExistingSession() calls will fail. This method, called before we
2421 * enter the lock again, will fail because of the wrong PID.
2422 *
2423 * Note that mData->mSession.mRemoteControls accessed outside
2424 * the lock may not be modified when state is Spawning, so it's safe.
2425 */
2426 alock.leave();
2427
2428 LogFlowThisFunc (("Calling AssignMachine()...\n"));
2429 rc = aControl->AssignMachine (sessionMachine);
2430 LogFlowThisFunc (("AssignMachine() returned %08X\n", rc));
2431
2432 /* The failure may w/o any error info (from RPC), so provide one */
2433 if (FAILED (rc))
2434 setError (rc,
2435 tr ("Failed to assign the machine to the session"));
2436
2437 if (SUCCEEDED (rc) && origState == SessionState_SessionSpawning)
2438 {
2439 /* complete the remote session initialization */
2440
2441 /* get the console from the direct session */
2442 ComPtr <IConsole> console;
2443 rc = aControl->GetRemoteConsole (console.asOutParam());
2444 ComAssertComRC (rc);
2445
2446 if (SUCCEEDED (rc) && !console)
2447 {
2448 ComAssert (!!console);
2449 rc = E_FAIL;
2450 }
2451
2452 /* assign machine & console to the remote sesion */
2453 if (SUCCEEDED (rc))
2454 {
2455 /*
2456 * after openRemoteSession(), the first and the only
2457 * entry in remoteControls is that remote session
2458 */
2459 LogFlowThisFunc (("Calling AssignRemoteMachine()...\n"));
2460 rc = mData->mSession.mRemoteControls.front()->
2461 AssignRemoteMachine (sessionMachine, console);
2462 LogFlowThisFunc (("AssignRemoteMachine() returned %08X\n", rc));
2463
2464 /* The failure may w/o any error info (from RPC), so provide one */
2465 if (FAILED (rc))
2466 setError (rc,
2467 tr ("Failed to assign the machine to the remote session"));
2468 }
2469
2470 if (FAILED (rc))
2471 aControl->Uninitialize();
2472 }
2473
2474 /* enter the lock again */
2475 alock.enter();
2476
2477 /* Restore the session state */
2478 mData->mSession.mState = origState;
2479 }
2480
2481 /* finalize spawning amyway (this is why we don't return on errors above) */
2482 if (mData->mSession.mState == SessionState_SessionSpawning)
2483 {
2484 /* Note that the progress object is finalized later */
2485
2486 /* We don't reset mSession.mPid here because it is necessary for
2487 * SessionMachine::uninit() to reap the child process later. */
2488
2489 if (FAILED (rc))
2490 {
2491 /* Remove the remote control from the list on failure
2492 * and reset session state to Closed. */
2493 mData->mSession.mRemoteControls.clear();
2494 mData->mSession.mState = SessionState_SessionClosed;
2495 }
2496 }
2497
2498 if (SUCCEEDED (rc))
2499 {
2500 /* memorize the direct session control */
2501 mData->mSession.mDirectControl = aControl;
2502 mData->mSession.mState = SessionState_SessionOpen;
2503 /* associate the SessionMachine with this Machine */
2504 mData->mSession.mMachine = sessionMachine;
2505 }
2506
2507 if (mData->mSession.mProgress)
2508 {
2509 /* finalize the progress after setting the state, for consistency */
2510 mData->mSession.mProgress->notifyComplete (rc);
2511 mData->mSession.mProgress.setNull();
2512 }
2513
2514 /* uninitialize the created session machine on failure */
2515 if (FAILED (rc))
2516 sessionMachine->uninit();
2517
2518 LogFlowThisFunc (("rc=%08X\n", rc));
2519 LogFlowThisFuncLeave();
2520 return rc;
2521}
2522
2523/**
2524 * @note Locks this object for writing, calls the client process
2525 * (inside the lock).
2526 */
2527HRESULT Machine::openRemoteSession (IInternalSessionControl *aControl,
2528 INPTR BSTR aType, Progress *aProgress)
2529{
2530 LogFlowThisFuncEnter();
2531
2532 AssertReturn (aControl, E_FAIL);
2533 AssertReturn (aProgress, E_FAIL);
2534
2535 AutoCaller autoCaller (this);
2536 CheckComRCReturnRC (autoCaller.rc());
2537
2538 AutoLock alock (this);
2539
2540 if (!mData->mRegistered)
2541 return setError (E_UNEXPECTED,
2542 tr ("The machine '%ls' is not registered"), mUserData->mName.raw());
2543
2544 LogFlowThisFunc (("mSession.mState=%d\n", mData->mSession.mState));
2545
2546 if (mData->mSession.mState == SessionState_SessionOpen ||
2547 mData->mSession.mState == SessionState_SessionSpawning ||
2548 mData->mSession.mState == SessionState_SessionClosing)
2549 return setError (E_ACCESSDENIED,
2550 tr ("A session for the machine '%ls' is currently open "
2551 "(or being opened or closed)"),
2552 mUserData->mName.raw());
2553
2554 /* may not be Running */
2555 AssertReturn (mData->mMachineState < MachineState_Running, E_FAIL);
2556
2557 /* get the path to the executable */
2558 char path [RTPATH_MAX];
2559 RTPathProgram (path, RTPATH_MAX);
2560 size_t sz = strlen (path);
2561 path [sz++] = RTPATH_DELIMITER;
2562 path [sz] = 0;
2563 char *cmd = path + sz;
2564 sz = RTPATH_MAX - sz;
2565
2566 int vrc = VINF_SUCCESS;
2567 RTPROCESS pid = NIL_RTPROCESS;
2568
2569 Bstr type (aType);
2570 if (type == "gui")
2571 {
2572 const char VirtualBox_exe[] = "VirtualBox" HOSTSUFF_EXE;
2573 Assert (sz >= sizeof (VirtualBox_exe));
2574 strcpy (cmd, VirtualBox_exe);
2575
2576 Utf8Str idStr = mData->mUuid.toString();
2577 const char * args[] = {path, "-startvm", idStr, 0 };
2578 vrc = RTProcCreate (path, args, NULL, 0, &pid);
2579 }
2580 else
2581#ifdef VBOX_VRDP
2582 if (type == "vrdp")
2583 {
2584 const char VBoxVRDP_exe[] = "VBoxVRDP" HOSTSUFF_EXE;
2585 Assert (sz >= sizeof (VBoxVRDP_exe));
2586 strcpy (cmd, VBoxVRDP_exe);
2587
2588 Utf8Str idStr = mData->mUuid.toString();
2589 const char * args[] = {path, "-startvm", idStr, 0 };
2590 vrc = RTProcCreate (path, args, NULL, 0, &pid);
2591 }
2592 else
2593#endif /* VBOX_VRDP */
2594 if (type == "capture")
2595 {
2596 const char VBoxVRDP_exe[] = "VBoxVRDP" HOSTSUFF_EXE;
2597 Assert (sz >= sizeof (VBoxVRDP_exe));
2598 strcpy (cmd, VBoxVRDP_exe);
2599
2600 Utf8Str idStr = mData->mUuid.toString();
2601 const char * args[] = {path, "-startvm", idStr, "-capture", 0 };
2602 vrc = RTProcCreate (path, args, NULL, 0, &pid);
2603 }
2604 else
2605 {
2606 return setError (E_INVALIDARG,
2607 tr ("Invalid session type: '%ls'"), aType);
2608 }
2609
2610 if (VBOX_FAILURE (vrc))
2611 return setError (E_FAIL,
2612 tr ("Could not launch a process for the machine '%ls' (%Vrc)"),
2613 mUserData->mName.raw(), vrc);
2614
2615 LogFlowThisFunc (("launched.pid=%d(0x%x)\n", pid, pid));
2616
2617 /*
2618 * Note that we don't leave the lock here before calling the client,
2619 * because it doesn't need to call us back if called with a NULL argument.
2620 * Leaving the lock herer is dangerous because we didn't prepare the
2621 * launch data yet, but the client we've just started may happen to be
2622 * too fast and call openSession() that will fail (because of PID, etc.),
2623 * so that the Machine will never get out of the Spawning session state.
2624 */
2625
2626 /* inform the session that it will be a remote one */
2627 LogFlowThisFunc (("Calling AssignMachine (NULL)...\n"));
2628 HRESULT rc = aControl->AssignMachine (NULL);
2629 LogFlowThisFunc (("AssignMachine (NULL) returned %08X\n", rc));
2630
2631 if (FAILED (rc))
2632 {
2633 /* restore the session state */
2634 mData->mSession.mState = SessionState_SessionClosed;
2635 /* The failure may w/o any error info (from RPC), so provide one */
2636 return setError (rc,
2637 tr ("Failed to assign the machine to the session"));
2638 }
2639
2640 /* attach launch data to the machine */
2641 Assert (mData->mSession.mPid == NIL_RTPROCESS);
2642 mData->mSession.mRemoteControls.push_back (aControl);
2643 mData->mSession.mProgress = aProgress;
2644 mData->mSession.mPid = pid;
2645 mData->mSession.mState = SessionState_SessionSpawning;
2646
2647 LogFlowThisFuncLeave();
2648 return S_OK;
2649}
2650
2651/**
2652 * @note Locks this object for writing, calls the client process
2653 * (outside the lock).
2654 */
2655HRESULT Machine::openExistingSession (IInternalSessionControl *aControl)
2656{
2657 LogFlowThisFuncEnter();
2658
2659 AssertReturn (aControl, E_FAIL);
2660
2661 AutoCaller autoCaller (this);
2662 CheckComRCReturnRC (autoCaller.rc());
2663
2664 AutoLock alock (this);
2665
2666 if (!mData->mRegistered)
2667 return setError (E_UNEXPECTED,
2668 tr ("The machine '%ls' is not registered"), mUserData->mName.raw());
2669
2670 LogFlowThisFunc (("mSession.state=%d\n", mData->mSession.mState));
2671
2672 if (mData->mSession.mState != SessionState_SessionOpen)
2673 return setError (E_ACCESSDENIED,
2674 tr ("The machine '%ls' does not have an open session"),
2675 mUserData->mName.raw());
2676
2677 ComAssertRet (!mData->mSession.mDirectControl.isNull(), E_FAIL);
2678
2679 /*
2680 * Get the console from the direct session (note that we don't leave the
2681 * lock here because GetRemoteConsole must not call us back).
2682 */
2683 ComPtr <IConsole> console;
2684 HRESULT rc = mData->mSession.mDirectControl->
2685 GetRemoteConsole (console.asOutParam());
2686 if (FAILED (rc))
2687 {
2688 /* The failure may w/o any error info (from RPC), so provide one */
2689 return setError (rc,
2690 tr ("Failed to get a console object from the direct session"));
2691 }
2692
2693 ComAssertRet (!console.isNull(), E_FAIL);
2694
2695 ComObjPtr <SessionMachine> sessionMachine = mData->mSession.mMachine;
2696 AssertReturn (!sessionMachine.isNull(), E_FAIL);
2697
2698 /*
2699 * Leave the lock before calling the client process. It's safe here
2700 * since the only thing to do after we get the lock again is to add
2701 * the remote control to the list (which doesn't directly influence
2702 * anything).
2703 */
2704 alock.leave();
2705
2706 /* attach the remote session to the machine */
2707 LogFlowThisFunc (("Calling AssignRemoteMachine()...\n"));
2708 rc = aControl->AssignRemoteMachine (sessionMachine, console);
2709 LogFlowThisFunc (("AssignRemoteMachine() returned %08X\n", rc));
2710
2711 /* The failure may w/o any error info (from RPC), so provide one */
2712 if (FAILED (rc))
2713 return setError (rc,
2714 tr ("Failed to assign the machine to the session"));
2715
2716 alock.enter();
2717
2718 /* need to revalidate the state after entering the lock again */
2719 if (mData->mSession.mState != SessionState_SessionOpen)
2720 {
2721 aControl->Uninitialize();
2722
2723 return setError (E_ACCESSDENIED,
2724 tr ("The machine '%ls' does not have an open session"),
2725 mUserData->mName.raw());
2726 }
2727
2728 /* store the control in the list */
2729 mData->mSession.mRemoteControls.push_back (aControl);
2730
2731 LogFlowThisFuncLeave();
2732 return S_OK;
2733}
2734
2735/**
2736 * Checks that the registered flag of the machine can be set according to
2737 * the argument and sets it. On success, commits and saves all settings.
2738 *
2739 * @note When this machine is inaccessible, the only valid value for \a
2740 * aRegistered is FALSE (i.e. unregister the machine) because unregistered
2741 * inaccessible machines are not currently supported. Note that unregistering
2742 * an inaccessible machine will \b uninitialize this machine object. Therefore,
2743 * the caller must make sure there are no active Machine::addCaller() calls
2744 * on the current thread because this will block Machine::uninit().
2745 *
2746 * @note Locks this object and children for writing!
2747 */
2748HRESULT Machine::trySetRegistered (BOOL aRegistered)
2749{
2750 AutoLimitedCaller autoCaller (this);
2751 AssertComRCReturnRC (autoCaller.rc());
2752
2753 AutoLock alock (this);
2754
2755 ComAssertRet (mData->mRegistered != aRegistered, E_FAIL);
2756
2757 if (!mData->mAccessible)
2758 {
2759 /* A special case: the machine is not accessible. */
2760
2761 /* inaccessible machines can only be unregistered */
2762 AssertReturn (!aRegistered, E_FAIL);
2763
2764 /* Uninitialize ourselves here because currently there may be no
2765 * unregistered that are inaccessible (this state combination is not
2766 * supported). Note releasing the caller and leaving the lock before
2767 * calling uninit() */
2768
2769 alock.leave();
2770 autoCaller.release();
2771
2772 uninit();
2773
2774 return S_OK;
2775 }
2776
2777 AssertReturn (autoCaller.state() == Ready, E_FAIL);
2778
2779 if (aRegistered)
2780 {
2781 if (mData->mRegistered)
2782 return setError (E_FAIL,
2783 tr ("The machine '%ls' with UUID {%s} is already registered"),
2784 mUserData->mName.raw(),
2785 mData->mUuid.toString().raw());
2786 }
2787 else
2788 {
2789 if (mData->mMachineState == MachineState_Saved)
2790 return setError (E_FAIL,
2791 tr ("Cannot unregister the machine '%ls' because it "
2792 "is in the Saved state"),
2793 mUserData->mName.raw());
2794
2795 size_t snapshotCount = 0;
2796 if (mData->mFirstSnapshot)
2797 snapshotCount = mData->mFirstSnapshot->descendantCount() + 1;
2798 if (snapshotCount)
2799 return setError (E_FAIL,
2800 tr ("Cannot unregister the machine '%ls' because it "
2801 "has %d snapshots"),
2802 mUserData->mName.raw(), snapshotCount);
2803
2804 if (mData->mSession.mState != SessionState_SessionClosed)
2805 return setError (E_FAIL,
2806 tr ("Cannot unregister the machine '%ls' because it has an "
2807 "open session"),
2808 mUserData->mName.raw());
2809
2810 if (mHDData->mHDAttachments.size() != 0)
2811 return setError (E_FAIL,
2812 tr ("Cannot unregister the machine '%ls' because it "
2813 "has %d hard disks attached"),
2814 mUserData->mName.raw(), mHDData->mHDAttachments.size());
2815 }
2816
2817 /* Ensure the settings are saved. If we are going to be registered and
2818 * isConfigLocked() is FALSE then it means that no config file exists yet,
2819 * so create it. */
2820 if (isModified() || (aRegistered && !isConfigLocked()))
2821 {
2822 HRESULT rc = saveSettings();
2823 CheckComRCReturnRC (rc);
2824 }
2825
2826 mData->mRegistered = aRegistered;
2827
2828 /* inform the USB proxy about all attached/detached USB filters */
2829 mUSBController->onMachineRegistered (aRegistered);
2830
2831 return S_OK;
2832}
2833
2834// protected methods
2835/////////////////////////////////////////////////////////////////////////////
2836
2837/**
2838 * Helper to uninitialize all associated child objects
2839 * and to free all data structures.
2840 *
2841 * This method must be called as a part of the object's uninitialization
2842 * procedure (usually done in the uninit() method).
2843 *
2844 * @note Must be called only from uninit().
2845 */
2846void Machine::uninitDataAndChildObjects()
2847{
2848 AutoCaller autoCaller (this);
2849 AssertComRCReturn (autoCaller.rc(), (void) 0);
2850 AssertComRCReturn (autoCaller.state( ) == InUninit, (void) 0);
2851
2852 /* tell all our child objects we've been uninitialized */
2853
2854 /*
2855 * uninit all children using addDependentChild()/removeDependentChild()
2856 * in their init()/uninit() methods
2857 */
2858 uninitDependentChildren();
2859
2860 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
2861 {
2862 if (mNetworkAdapters [slot])
2863 {
2864 mNetworkAdapters [slot]->uninit();
2865 unconst (mNetworkAdapters [slot]).setNull();
2866 }
2867 }
2868
2869 if (mUSBController)
2870 {
2871 mUSBController->uninit();
2872 unconst (mUSBController).setNull();
2873 }
2874
2875 if (mAudioAdapter)
2876 {
2877 mAudioAdapter->uninit();
2878 unconst (mAudioAdapter).setNull();
2879 }
2880
2881 if (mFloppyDrive)
2882 {
2883 mFloppyDrive->uninit();
2884 unconst (mFloppyDrive).setNull();
2885 }
2886
2887 if (mDVDDrive)
2888 {
2889 mDVDDrive->uninit();
2890 unconst (mDVDDrive).setNull();
2891 }
2892
2893#ifdef VBOX_VRDP
2894 if (mVRDPServer)
2895 {
2896 mVRDPServer->uninit();
2897 unconst (mVRDPServer).setNull();
2898 }
2899#endif
2900
2901 if (mBIOSSettings)
2902 {
2903 mBIOSSettings->uninit();
2904 unconst (mBIOSSettings).setNull();
2905 }
2906
2907 /* free data structures */
2908 mSSData.free();
2909 mHDData.free();
2910 mHWData.free();
2911 mUserData.free();
2912 mData.free();
2913}
2914
2915/**
2916 * Helper to change the machine state.
2917 *
2918 * @note Locks this object for writing.
2919 */
2920HRESULT Machine::setMachineState (MachineState_T aMachineState)
2921{
2922 LogFlowThisFuncEnter();
2923 LogFlowThisFunc (("aMachineState=%d\n", aMachineState));
2924
2925 AutoCaller autoCaller (this);
2926 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
2927
2928 AutoLock alock (this);
2929
2930 if (mData->mMachineState != aMachineState)
2931 {
2932 mData->mMachineState = aMachineState;
2933
2934 RTTIMESPEC time;
2935 mData->mLastStateChange = RTTimeSpecGetMilli(RTTimeNow(&time));
2936
2937 mParent->onMachineStateChange (mData->mUuid, aMachineState);
2938 }
2939
2940 LogFlowThisFuncLeave();
2941 return S_OK;
2942}
2943
2944/**
2945 * Searches for a shared folder with the given logical name
2946 * in the collection of shared folders.
2947 *
2948 * @param aName logical name of the shared folder
2949 * @param aSharedFolder where to return the found object
2950 * @param aSetError whether to set the error info if the folder is
2951 * not found
2952 * @return
2953 * S_OK when found or E_INVALIDARG when not found
2954 *
2955 * @note
2956 * must be called from under the object's lock!
2957 */
2958HRESULT Machine::findSharedFolder (const BSTR aName,
2959 ComObjPtr <SharedFolder> &aSharedFolder,
2960 bool aSetError /* = false */)
2961{
2962 bool found = false;
2963 for (HWData::SharedFolderList::const_iterator it = mHWData->mSharedFolders.begin();
2964 !found && it != mHWData->mSharedFolders.end();
2965 ++ it)
2966 {
2967 AutoLock alock (*it);
2968 found = (*it)->name() == aName;
2969 if (found)
2970 aSharedFolder = *it;
2971 }
2972
2973 HRESULT rc = found ? S_OK : E_INVALIDARG;
2974
2975 if (aSetError && !found)
2976 setError (rc, tr ("Could not find a shared folder named '%ls'"), aName);
2977
2978 return rc;
2979}
2980
2981/**
2982 * Loads all the VM settings by walking down the <Machine> node.
2983 *
2984 * @param aRegistered true when the machine is being loaded on VirtualBox
2985 * startup
2986 *
2987 * @note This method is intended to be called only from init(), so it assumes
2988 * all machine data fields have appropriate default values when it is called.
2989 *
2990 * @note Doesn't lock any objects.
2991 */
2992HRESULT Machine::loadSettings (bool aRegistered)
2993{
2994 LogFlowThisFuncEnter();
2995 AssertReturn (mType == IsMachine, E_FAIL);
2996
2997 AutoCaller autoCaller (this);
2998 AssertReturn (autoCaller.state() == InInit, E_FAIL);
2999
3000 HRESULT rc = S_OK;
3001
3002 CFGHANDLE configLoader = NULL;
3003 char *loaderError = NULL;
3004 int vrc = CFGLDRLoad (&configLoader,
3005 Utf8Str (mData->mConfigFileFull), mData->mHandleCfgFile,
3006 XmlSchemaNS, true, cfgLdrEntityResolver,
3007 &loaderError);
3008 if (VBOX_FAILURE (vrc))
3009 {
3010 rc = setError (E_FAIL,
3011 tr ("Could not load the settings file '%ls' (%Vrc)%s%s"),
3012 mData->mConfigFileFull.raw(), vrc,
3013 loaderError ? ".\n" : "", loaderError ? loaderError : "");
3014
3015 if (loaderError)
3016 RTMemTmpFree (loaderError);
3017
3018 LogFlowThisFuncLeave();
3019 return rc;
3020 }
3021
3022 /*
3023 * When reading the XML, we assume it has been validated, so we don't
3024 * do any structural checks here, Just Assert() some things.
3025 */
3026
3027 CFGNODE machineNode = 0;
3028 CFGLDRGetNode (configLoader, "VirtualBox/Machine", 0, &machineNode);
3029
3030 do
3031 {
3032 ComAssertBreak (machineNode, rc = E_FAIL);
3033
3034 /* uuid (required) */
3035 Guid id;
3036 CFGLDRQueryUUID (machineNode, "uuid", id.ptr());
3037
3038 /* If the stored UUID is not empty, it means the registered machine
3039 * is being loaded. Compare the loaded UUID with the stored one taken
3040 * from the global registry. */
3041 if (!mData->mUuid.isEmpty())
3042 {
3043 if (mData->mUuid != id)
3044 {
3045 rc = setError (E_FAIL,
3046 tr ("Machine UUID {%Vuuid} in '%ls' doesn't match its "
3047 "UUID {%s} in the registry file '%ls'"),
3048 id.raw(), mData->mConfigFileFull.raw(),
3049 mData->mUuid.toString().raw(),
3050 mParent->settingsFileName().raw());
3051 break;
3052 }
3053 }
3054 else
3055 unconst (mData->mUuid) = id;
3056
3057 /* name (required) */
3058 CFGLDRQueryBSTR (machineNode, "name", mUserData->mName.asOutParam());
3059
3060 /* nameSync (optional, default is true) */
3061 {
3062 bool nameSync = true;
3063 CFGLDRQueryBool (machineNode, "nameSync", &nameSync);
3064 mUserData->mNameSync = nameSync;
3065 }
3066
3067 /* OSType (required) */
3068 {
3069 Bstr osTypeId;
3070 CFGLDRQueryBSTR (machineNode, "OSType", osTypeId.asOutParam());
3071
3072 /* look up the object in our list */
3073 ComPtr <IGuestOSType> guestOSType;
3074 rc = mParent->FindGuestOSType (osTypeId, guestOSType.asOutParam());
3075 if (FAILED (rc))
3076 break;
3077
3078 mUserData->mOSType = guestOSType;
3079 }
3080
3081 /* stateFile (optional) */
3082 {
3083 Bstr stateFilePath;
3084 CFGLDRQueryBSTR (machineNode, "stateFile", stateFilePath.asOutParam());
3085 if (stateFilePath)
3086 {
3087 Utf8Str stateFilePathFull = stateFilePath;
3088 int vrc = calculateFullPath (stateFilePathFull, stateFilePathFull);
3089 if (VBOX_FAILURE (vrc))
3090 {
3091 rc = setError (E_FAIL,
3092 tr ("Invalid saved state file path: '%ls' (%Vrc)"),
3093 stateFilePath.raw(), vrc);
3094 break;
3095 }
3096 mSSData->mStateFilePath = stateFilePathFull;
3097 }
3098 else
3099 mSSData->mStateFilePath.setNull();
3100 }
3101
3102 /*
3103 * currentSnapshot ID (optional)
3104 * Note that due to XML Schema constaraints this attribute, when present,
3105 * will guaranteedly refer to an existing snapshot definition in XML
3106 */
3107 Guid currentSnapshotId;
3108 CFGLDRQueryUUID (machineNode, "currentSnapshot", currentSnapshotId.ptr());
3109
3110 /* snapshotFolder (optional) */
3111 {
3112 Bstr folder;
3113 CFGLDRQueryBSTR (machineNode, "snapshotFolder", folder.asOutParam());
3114 rc = COMSETTER(SnapshotFolder) (folder);
3115 if (FAILED (rc))
3116 break;
3117 }
3118
3119 /* lastStateChange (optional, for compatiblity) */
3120 {
3121 int64_t lastStateChange = 0;
3122 CFGLDRQueryDateTime (machineNode, "lastStateChange", &lastStateChange);
3123 if (lastStateChange == 0)
3124 {
3125 /// @todo (dmik) until lastStateChange is the required attribute,
3126 // we simply set it to the current time if missing in the config
3127 RTTIMESPEC time;
3128 lastStateChange = RTTimeSpecGetMilli (RTTimeNow (&time));
3129 }
3130 mData->mLastStateChange = lastStateChange;
3131 }
3132
3133 /* aborted (optional) */
3134 bool aborted = false;
3135 CFGLDRQueryBool (machineNode, "aborted", &aborted);
3136
3137 /* currentStateModified (optional, default is true) */
3138 mData->mCurrentStateModified = TRUE;
3139 {
3140 bool val = true;
3141 CFGLDRQueryBool (machineNode, "currentStateModified", &val);
3142 mData->mCurrentStateModified = val;
3143 }
3144
3145 /*
3146 * note: all mUserData members must be assigned prior this point because
3147 * we need to commit changes in order to let mUserData be shared by all
3148 * snapshot machine instances.
3149 */
3150 mUserData.commitCopy();
3151
3152 /* Snapshot node (optional) */
3153 {
3154 CFGNODE snapshotNode = 0;
3155 CFGLDRGetChildNode (machineNode, "Snapshot", 0, &snapshotNode);
3156 if (snapshotNode)
3157 {
3158 /* read all snapshots recursively */
3159 rc = loadSnapshot (snapshotNode, currentSnapshotId, NULL);
3160 CFGLDRReleaseNode (snapshotNode);
3161 if (FAILED (rc))
3162 break;
3163 }
3164 }
3165
3166 /* Hardware node (required) */
3167 {
3168 CFGNODE hardwareNode = 0;
3169 CFGLDRGetChildNode (machineNode, "Hardware", 0, &hardwareNode);
3170 ComAssertBreak (hardwareNode, rc = E_FAIL);
3171 rc = loadHardware (hardwareNode);
3172 CFGLDRReleaseNode (hardwareNode);
3173 if (FAILED (rc))
3174 break;
3175 }
3176
3177 /* HardDiskAttachments node (required) */
3178 {
3179 CFGNODE hdasNode = 0;
3180 CFGLDRGetChildNode (machineNode, "HardDiskAttachments", 0, &hdasNode);
3181 ComAssertBreak (hdasNode, rc = E_FAIL);
3182
3183 rc = loadHardDisks (hdasNode, aRegistered);
3184 CFGLDRReleaseNode (hdasNode);
3185 if (FAILED (rc))
3186 break;
3187 }
3188
3189 /*
3190 * NOTE: the assignment below must be the last thing to do,
3191 * otherwise it will be not possible to change the settings
3192 * somewehere in the code above because all setters will be
3193 * blocked by CHECK_SETTER()
3194 */
3195
3196 /* set the machine state to Aborted or Saved when appropriate */
3197 if (aborted)
3198 {
3199 Assert (!mSSData->mStateFilePath);
3200 mSSData->mStateFilePath.setNull();
3201
3202 mData->mMachineState = MachineState_Aborted;
3203 }
3204 else if (mSSData->mStateFilePath)
3205 {
3206 mData->mMachineState = MachineState_Saved;
3207 }
3208 }
3209 while (0);
3210
3211 if (machineNode)
3212 CFGLDRReleaseNode (machineNode);
3213
3214 CFGLDRFree (configLoader);
3215
3216 LogFlowThisFuncLeave();
3217 return rc;
3218}
3219
3220/**
3221 * Recursively loads all snapshots starting from the given.
3222 *
3223 * @param aNode <Snapshot> node
3224 * @param aCurSnapshotId current snapshot ID from the settings file
3225 * @param aParentSnapshot parent snapshot
3226 */
3227HRESULT Machine::loadSnapshot (CFGNODE aNode, const Guid &aCurSnapshotId,
3228 Snapshot *aParentSnapshot)
3229{
3230 AssertReturn (aNode, E_INVALIDARG);
3231 AssertReturn (mType == IsMachine, E_FAIL);
3232
3233 // create a snapshot machine object
3234 ComObjPtr <SnapshotMachine> snapshotMachine;
3235 snapshotMachine.createObject();
3236
3237 HRESULT rc = S_OK;
3238
3239 Guid uuid; // required
3240 CFGLDRQueryUUID (aNode, "uuid", uuid.ptr());
3241
3242 Bstr stateFilePath; // optional
3243 CFGLDRQueryBSTR (aNode, "stateFile", stateFilePath.asOutParam());
3244 if (stateFilePath)
3245 {
3246 Utf8Str stateFilePathFull = stateFilePath;
3247 int vrc = calculateFullPath (stateFilePathFull, stateFilePathFull);
3248 if (VBOX_FAILURE (vrc))
3249 return setError (E_FAIL,
3250 tr ("Invalid saved state file path: '%ls' (%Vrc)"),
3251 stateFilePath.raw(), vrc);
3252
3253 stateFilePath = stateFilePathFull;
3254 }
3255
3256 do
3257 {
3258 // Hardware node (required)
3259 CFGNODE hardwareNode = 0;
3260 CFGLDRGetChildNode (aNode, "Hardware", 0, &hardwareNode);
3261 ComAssertBreak (hardwareNode, rc = E_FAIL);
3262
3263 do
3264 {
3265 // HardDiskAttachments node (required)
3266 CFGNODE hdasNode = 0;
3267 CFGLDRGetChildNode (aNode, "HardDiskAttachments", 0, &hdasNode);
3268 ComAssertBreak (hdasNode, rc = E_FAIL);
3269
3270 // initialize the snapshot machine
3271 rc = snapshotMachine->init (this, hardwareNode, hdasNode,
3272 uuid, stateFilePath);
3273
3274 CFGLDRReleaseNode (hdasNode);
3275 }
3276 while (0);
3277
3278 CFGLDRReleaseNode (hardwareNode);
3279 }
3280 while (0);
3281
3282 if (FAILED (rc))
3283 return rc;
3284
3285 // create a snapshot object
3286 ComObjPtr <Snapshot> snapshot;
3287 snapshot.createObject();
3288
3289 {
3290 Bstr name; // required
3291 CFGLDRQueryBSTR (aNode, "name", name.asOutParam());
3292
3293 LONG64 timeStamp = 0; // required
3294 CFGLDRQueryDateTime (aNode, "timeStamp", &timeStamp);
3295
3296 Bstr description; // optional
3297 {
3298 CFGNODE descNode = 0;
3299 CFGLDRGetChildNode (aNode, "Description", 0, &descNode);
3300 CFGLDRQueryBSTR (descNode, NULL, description.asOutParam());
3301 CFGLDRReleaseNode (descNode);
3302 }
3303
3304 // initialize the snapshot
3305 rc = snapshot->init (uuid, name, description, timeStamp,
3306 snapshotMachine, aParentSnapshot);
3307 if (FAILED (rc))
3308 return rc;
3309 }
3310
3311 // memorize the first snapshot if necessary
3312 if (!mData->mFirstSnapshot)
3313 mData->mFirstSnapshot = snapshot;
3314
3315 // memorize the current snapshot when appropriate
3316 if (!mData->mCurrentSnapshot && snapshot->data().mId == aCurSnapshotId)
3317 mData->mCurrentSnapshot = snapshot;
3318
3319 // Snapshots node (optional)
3320 {
3321 CFGNODE snapshotsNode = 0;
3322 CFGLDRGetChildNode (aNode, "Snapshots", 0, &snapshotsNode);
3323 if (snapshotsNode)
3324 {
3325 unsigned cbDisks = 0;
3326 CFGLDRCountChildren (snapshotsNode, "Snapshot", &cbDisks);
3327 for (unsigned i = 0; i < cbDisks && SUCCEEDED (rc); i++)
3328 {
3329 CFGNODE snapshotNode;
3330 CFGLDRGetChildNode (snapshotsNode, "Snapshot", i, &snapshotNode);
3331 ComAssertBreak (snapshotNode, rc = E_FAIL);
3332
3333 rc = loadSnapshot (snapshotNode, aCurSnapshotId, snapshot);
3334
3335 CFGLDRReleaseNode (snapshotNode);
3336 }
3337
3338 CFGLDRReleaseNode (snapshotsNode);
3339 }
3340 }
3341
3342 return rc;
3343}
3344
3345/**
3346 * @param aNode <Hardware> node
3347 */
3348HRESULT Machine::loadHardware (CFGNODE aNode)
3349{
3350 AssertReturn (aNode, E_INVALIDARG);
3351 AssertReturn (mType == IsMachine || mType == IsSnapshotMachine, E_FAIL);
3352
3353 /* CPU node (currently not required) */
3354 {
3355 /* default value in case the node is not there */
3356 mHWData->mHWVirtExEnabled = TriStateBool_Default;
3357
3358 CFGNODE cpuNode = 0;
3359 CFGLDRGetChildNode (aNode, "CPU", 0, &cpuNode);
3360 if (cpuNode)
3361 {
3362 CFGNODE hwVirtExNode = 0;
3363 CFGLDRGetChildNode (cpuNode, "HardwareVirtEx", 0, &hwVirtExNode);
3364 if (hwVirtExNode)
3365 {
3366 Bstr hwVirtExEnabled;
3367 CFGLDRQueryBSTR (hwVirtExNode, "enabled", hwVirtExEnabled.asOutParam());
3368 if (hwVirtExEnabled == L"false")
3369 mHWData->mHWVirtExEnabled = TriStateBool_False;
3370 else if (hwVirtExEnabled == L"true")
3371 mHWData->mHWVirtExEnabled = TriStateBool_True;
3372 else
3373 mHWData->mHWVirtExEnabled = TriStateBool_Default;
3374 CFGLDRReleaseNode (hwVirtExNode);
3375 }
3376 CFGLDRReleaseNode (cpuNode);
3377 }
3378 }
3379
3380 /* Memory node (required) */
3381 {
3382 CFGNODE memoryNode = 0;
3383 CFGLDRGetChildNode (aNode, "Memory", 0, &memoryNode);
3384 ComAssertRet (memoryNode, E_FAIL);
3385
3386 uint32_t RAMSize;
3387 CFGLDRQueryUInt32 (memoryNode, "RAMSize", &RAMSize);
3388 mHWData->mMemorySize = RAMSize;
3389 CFGLDRReleaseNode (memoryNode);
3390 }
3391
3392 /* Boot node (required) */
3393 {
3394 /* reset all boot order positions to NoDevice */
3395 for (size_t i = 0; i < ELEMENTS (mHWData->mBootOrder); i++)
3396 mHWData->mBootOrder [i] = DeviceType_NoDevice;
3397
3398 CFGNODE bootNode = 0;
3399 CFGLDRGetChildNode (aNode, "Boot", 0, &bootNode);
3400 ComAssertRet (bootNode, E_FAIL);
3401
3402 HRESULT rc = S_OK;
3403
3404 unsigned cOrder;
3405 CFGLDRCountChildren (bootNode, "Order", &cOrder);
3406 for (unsigned i = 0; i < cOrder; i++)
3407 {
3408 CFGNODE orderNode = 0;
3409 CFGLDRGetChildNode (bootNode, "Order", i, &orderNode);
3410 ComAssertBreak (orderNode, rc = E_FAIL);
3411
3412 /* position (required) */
3413 /* position unicity is guaranteed by XML Schema */
3414 uint32_t position = 0;
3415 CFGLDRQueryUInt32 (orderNode, "position", &position);
3416 -- position;
3417 Assert (position < ELEMENTS (mHWData->mBootOrder));
3418
3419 /* device (required) */
3420 Bstr device;
3421 CFGLDRQueryBSTR (orderNode, "device", device.asOutParam());
3422 if (device == L"None")
3423 mHWData->mBootOrder [position] = DeviceType_NoDevice;
3424 else if (device == L"Floppy")
3425 mHWData->mBootOrder [position] = DeviceType_FloppyDevice;
3426 else if (device == L"DVD")
3427 mHWData->mBootOrder [position] = DeviceType_DVDDevice;
3428 else if (device == L"HardDisk")
3429 mHWData->mBootOrder [position] = DeviceType_HardDiskDevice;
3430 else if (device == L"Network")
3431 mHWData->mBootOrder [position] = DeviceType_NetworkDevice;
3432 else
3433 ComAssertMsgFailed (("Invalid device: %ls\n", device.raw()));
3434
3435 CFGLDRReleaseNode (orderNode);
3436 }
3437
3438 CFGLDRReleaseNode (bootNode);
3439 if (FAILED (rc))
3440 return rc;
3441 }
3442
3443 /* Display node (required) */
3444 {
3445 CFGNODE displayNode = 0;
3446 CFGLDRGetChildNode (aNode, "Display", 0, &displayNode);
3447 ComAssertRet (displayNode, E_FAIL);
3448
3449 uint32_t VRAMSize;
3450 CFGLDRQueryUInt32 (displayNode, "VRAMSize", &VRAMSize);
3451 mHWData->mVRAMSize = VRAMSize;
3452 CFGLDRReleaseNode (displayNode);
3453 }
3454
3455#ifdef VBOX_VRDP
3456 /* RemoteDisplay node (optional) */
3457 /// @todo (dmik) move the code to VRDPServer
3458 /// @todo r=sunlover: moved. dmik, please review.
3459 {
3460 CFGNODE remoteDisplayNode = 0;
3461 CFGLDRGetChildNode (aNode, "RemoteDisplay", 0, &remoteDisplayNode);
3462 if (remoteDisplayNode)
3463 {
3464 mVRDPServer->loadConfig (remoteDisplayNode);
3465 CFGLDRReleaseNode (remoteDisplayNode);
3466 }
3467 }
3468#endif
3469
3470 /* BIOS node (required) */
3471 {
3472 CFGNODE biosNode = 0;
3473 CFGLDRGetChildNode (aNode, "BIOS", 0, &biosNode);
3474 ComAssertRet (biosNode, E_FAIL);
3475
3476 HRESULT rc = S_OK;
3477
3478 do
3479 {
3480 /* ACPI */
3481 {
3482 CFGNODE acpiNode = 0;
3483 CFGLDRGetChildNode (biosNode, "ACPI", 0, &acpiNode);
3484 ComAssertBreak (acpiNode, rc = E_FAIL);
3485
3486 bool enabled;
3487 CFGLDRQueryBool (acpiNode, "enabled", &enabled);
3488 mBIOSSettings->COMSETTER(ACPIEnabled)(enabled);
3489 CFGLDRReleaseNode (acpiNode);
3490 }
3491
3492 /* IOAPIC */
3493 {
3494 CFGNODE ioapicNode = 0;
3495 CFGLDRGetChildNode (biosNode, "IOAPIC", 0, &ioapicNode);
3496 if (ioapicNode)
3497 {
3498 bool enabled;
3499 CFGLDRQueryBool (ioapicNode, "enabled", &enabled);
3500 mBIOSSettings->COMSETTER(IOAPICEnabled)(enabled);
3501 CFGLDRReleaseNode (ioapicNode);
3502 }
3503 }
3504
3505 /* Logo (optional) */
3506 {
3507 CFGNODE logoNode = 0;
3508 CFGLDRGetChildNode (biosNode, "Logo", 0, &logoNode);
3509 if (logoNode)
3510 {
3511 bool enabled = false;
3512 CFGLDRQueryBool (logoNode, "fadeIn", &enabled);
3513 mBIOSSettings->COMSETTER(LogoFadeIn)(enabled);
3514 CFGLDRQueryBool (logoNode, "fadeOut", &enabled);
3515 mBIOSSettings->COMSETTER(LogoFadeOut)(enabled);
3516
3517 uint32_t BIOSLogoDisplayTime;
3518 CFGLDRQueryUInt32 (logoNode, "displayTime", &BIOSLogoDisplayTime);
3519 mBIOSSettings->COMSETTER(LogoDisplayTime)(BIOSLogoDisplayTime);
3520
3521 Bstr logoPath;
3522 CFGLDRQueryBSTR (logoNode, "imagePath", logoPath.asOutParam());
3523 mBIOSSettings->COMSETTER(LogoImagePath)(logoPath);
3524
3525 CFGLDRReleaseNode (logoNode);
3526 }
3527 }
3528
3529 /* boot menu (optional) */
3530 {
3531 CFGNODE bootMenuNode = 0;
3532 CFGLDRGetChildNode (biosNode, "BootMenu", 0, &bootMenuNode);
3533 if (bootMenuNode)
3534 {
3535 Bstr modeStr;
3536 BIOSBootMenuMode_T mode;
3537 CFGLDRQueryBSTR (bootMenuNode, "mode", modeStr.asOutParam());
3538 if (modeStr == L"disabled")
3539 mode = BIOSBootMenuMode_Disabled;
3540 else if (modeStr == L"menuonly")
3541 mode = BIOSBootMenuMode_MenuOnly;
3542 else
3543 mode = BIOSBootMenuMode_MessageAndMenu;
3544 mBIOSSettings->COMSETTER(BootMenuMode)(mode);
3545
3546 CFGLDRReleaseNode (bootMenuNode);
3547 }
3548 }
3549 }
3550 while (0);
3551
3552 CFGLDRReleaseNode (biosNode);
3553 if (FAILED (rc))
3554 return rc;
3555 }
3556
3557 /* DVD drive (contains either Image or HostDrive or nothing) */
3558 /// @todo (dmik) move the code to DVDDrive
3559 {
3560 HRESULT rc = S_OK;
3561
3562 CFGNODE dvdDriveNode = 0;
3563 CFGLDRGetChildNode (aNode, "DVDDrive", 0, &dvdDriveNode);
3564 ComAssertRet (dvdDriveNode, E_FAIL);
3565
3566 bool fPassthrough;
3567 CFGLDRQueryBool(dvdDriveNode, "passthrough", &fPassthrough);
3568 mDVDDrive->COMSETTER(Passthrough)(fPassthrough);
3569
3570 CFGNODE typeNode = 0;
3571
3572 do
3573 {
3574 CFGLDRGetChildNode (dvdDriveNode, "Image", 0, &typeNode);
3575 if (typeNode)
3576 {
3577 Guid uuid;
3578 CFGLDRQueryUUID (typeNode, "uuid", uuid.ptr());
3579 rc = mDVDDrive->MountImage (uuid);
3580 }
3581 else
3582 {
3583 CFGLDRGetChildNode (dvdDriveNode, "HostDrive", 0, &typeNode);
3584 if (typeNode)
3585 {
3586 Bstr src;
3587 CFGLDRQueryBSTR (typeNode, "src", src.asOutParam());
3588
3589 /* find the correspoding object */
3590 ComPtr <IHost> host;
3591 rc = mParent->COMGETTER(Host) (host.asOutParam());
3592 ComAssertComRCBreak (rc, rc = rc);
3593
3594 ComPtr <IHostDVDDriveCollection> coll;
3595 rc = host->COMGETTER(DVDDrives) (coll.asOutParam());
3596 ComAssertComRCBreak (rc, rc = rc);
3597
3598 ComPtr <IHostDVDDrive> drive;
3599 rc = coll->FindByName (src, drive.asOutParam());
3600 if (SUCCEEDED (rc))
3601 rc = mDVDDrive->CaptureHostDrive (drive);
3602 else if (rc == E_INVALIDARG)
3603 {
3604 /* the host DVD drive is not currently available. we
3605 * assume it will be available later and create an
3606 * extra object now */
3607 ComObjPtr <HostDVDDrive> hostDrive;
3608 hostDrive.createObject();
3609 rc = hostDrive->init (src);
3610 ComAssertComRCBreak (rc, rc = rc);
3611 rc = mDVDDrive->CaptureHostDrive (hostDrive);
3612 }
3613 else
3614 ComAssertComRCBreak (rc, rc = rc);
3615 }
3616 }
3617 }
3618 while (0);
3619
3620 if (typeNode)
3621 CFGLDRReleaseNode (typeNode);
3622 CFGLDRReleaseNode (dvdDriveNode);
3623
3624 if (FAILED (rc))
3625 return rc;
3626 }
3627
3628 /* Floppy drive (contains either Image or HostDrive or nothing) */
3629 /// @todo (dmik) move the code to FloppyDrive
3630 {
3631 HRESULT rc = S_OK;
3632
3633 CFGNODE driveNode = 0;
3634 CFGLDRGetChildNode (aNode, "FloppyDrive", 0, &driveNode);
3635 ComAssertRet (driveNode, E_FAIL);
3636
3637 BOOL fFloppyEnabled = TRUE;
3638 CFGLDRQueryBool (driveNode, "enabled", (bool*)&fFloppyEnabled);
3639 rc = mFloppyDrive->COMSETTER(Enabled)(fFloppyEnabled);
3640
3641 CFGNODE typeNode = 0;
3642 do
3643 {
3644 CFGLDRGetChildNode (driveNode, "Image", 0, &typeNode);
3645 if (typeNode)
3646 {
3647 Guid uuid;
3648 CFGLDRQueryUUID (typeNode, "uuid", uuid.ptr());
3649 rc = mFloppyDrive->MountImage (uuid);
3650 }
3651 else
3652 {
3653 CFGLDRGetChildNode (driveNode, "HostDrive", 0, &typeNode);
3654 if (typeNode)
3655 {
3656 Bstr src;
3657 CFGLDRQueryBSTR (typeNode, "src", src.asOutParam());
3658
3659 /* find the correspoding object */
3660 ComPtr <IHost> host;
3661 rc = mParent->COMGETTER(Host) (host.asOutParam());
3662 ComAssertComRCBreak (rc, rc = rc);
3663
3664 ComPtr <IHostFloppyDriveCollection> coll;
3665 rc = host->COMGETTER(FloppyDrives) (coll.asOutParam());
3666 ComAssertComRCBreak (rc, rc = rc);
3667
3668 ComPtr <IHostFloppyDrive> drive;
3669 rc = coll->FindByName (src, drive.asOutParam());
3670 if (SUCCEEDED (rc))
3671 rc = mFloppyDrive->CaptureHostDrive (drive);
3672 else if (rc == E_INVALIDARG)
3673 {
3674 /* the host Floppy drive is not currently available. we
3675 * assume it will be available later and create an
3676 * extra object now */
3677 ComObjPtr <HostFloppyDrive> hostDrive;
3678 hostDrive.createObject();
3679 rc = hostDrive->init (src);
3680 ComAssertComRCBreak (rc, rc = rc);
3681 rc = mFloppyDrive->CaptureHostDrive (hostDrive);
3682 }
3683 else
3684 ComAssertComRCBreak (rc, rc = rc);
3685 }
3686 }
3687 }
3688 while (0);
3689
3690 if (typeNode)
3691 CFGLDRReleaseNode (typeNode);
3692 CFGLDRReleaseNode (driveNode);
3693
3694 if (FAILED (rc))
3695 return rc;
3696 }
3697
3698 /* USB Controller */
3699 {
3700 HRESULT rc = mUSBController->loadSettings (aNode);
3701 if (FAILED (rc))
3702 return rc;
3703 }
3704
3705 /* Network node (required) */
3706 /// @todo (dmik) move the code to NetworkAdapter
3707 {
3708 /* we assume that all network adapters are initially disabled
3709 * and detached */
3710
3711 CFGNODE networkNode = 0;
3712 CFGLDRGetChildNode (aNode, "Network", 0, &networkNode);
3713 ComAssertRet (networkNode, E_FAIL);
3714
3715 HRESULT rc = S_OK;
3716
3717 unsigned cAdapters = 0;
3718 CFGLDRCountChildren (networkNode, "Adapter", &cAdapters);
3719 for (unsigned i = 0; i < cAdapters; i++)
3720 {
3721 CFGNODE adapterNode = 0;
3722 CFGLDRGetChildNode (networkNode, "Adapter", i, &adapterNode);
3723 ComAssertBreak (adapterNode, rc = E_FAIL);
3724
3725 /* slot number (required) */
3726 /* slot unicity is guaranteed by XML Schema */
3727 uint32_t slot = 0;
3728 CFGLDRQueryUInt32 (adapterNode, "slot", &slot);
3729 Assert (slot < ELEMENTS (mNetworkAdapters));
3730
3731 /* type */
3732 Bstr adapterType;
3733 CFGLDRQueryBSTR (adapterNode, "type", adapterType.asOutParam());
3734 ComAssertBreak (adapterType, rc = E_FAIL);
3735
3736 /* enabled (required) */
3737 bool enabled = false;
3738 CFGLDRQueryBool (adapterNode, "enabled", &enabled);
3739 /* MAC address (can be null) */
3740 Bstr macAddr;
3741 CFGLDRQueryBSTR (adapterNode, "MACAddress", macAddr.asOutParam());
3742 /* cable (required) */
3743 bool cableConnected;
3744 CFGLDRQueryBool (adapterNode, "cable", &cableConnected);
3745 /* tracing (defaults to false) */
3746 bool traceEnabled;
3747 CFGLDRQueryBool (adapterNode, "trace", &traceEnabled);
3748 Bstr traceFile;
3749 CFGLDRQueryBSTR (adapterNode, "tracefile", traceFile.asOutParam());
3750
3751 mNetworkAdapters [slot]->COMSETTER(Enabled) (enabled);
3752 mNetworkAdapters [slot]->COMSETTER(MACAddress) (macAddr);
3753 mNetworkAdapters [slot]->COMSETTER(CableConnected) (cableConnected);
3754 mNetworkAdapters [slot]->COMSETTER(TraceEnabled) (traceEnabled);
3755 mNetworkAdapters [slot]->COMSETTER(TraceFile) (traceFile);
3756
3757 if (adapterType.compare(Bstr("Am79C970A")) == 0)
3758 mNetworkAdapters [slot]->COMSETTER(AdapterType)(NetworkAdapterType_NetworkAdapterAm79C970A);
3759 else if (adapterType.compare(Bstr("Am79C973")) == 0)
3760 mNetworkAdapters [slot]->COMSETTER(AdapterType)(NetworkAdapterType_NetworkAdapterAm79C973);
3761 else
3762 ComAssertBreak (0, rc = E_FAIL);
3763
3764 CFGNODE attachmentNode = 0;
3765 if (CFGLDRGetChildNode (adapterNode, "NAT", 0, &attachmentNode), attachmentNode)
3766 {
3767 mNetworkAdapters [slot]->AttachToNAT();
3768 }
3769 else
3770 if (CFGLDRGetChildNode (adapterNode, "HostInterface", 0, &attachmentNode), attachmentNode)
3771 {
3772 /* Host Interface Networking */
3773 Bstr name;
3774 CFGLDRQueryBSTR (attachmentNode, "name", name.asOutParam());
3775#ifdef __WIN__
3776 /* @name can be empty on Win32, but not null */
3777 ComAssertBreak (!name.isNull(), rc = E_FAIL);
3778#endif
3779 mNetworkAdapters [slot]->COMSETTER(HostInterface) (name);
3780#ifdef __LINUX__
3781 Bstr tapSetupApp;
3782 CFGLDRQueryBSTR (attachmentNode, "TAPSetup", tapSetupApp.asOutParam());
3783 Bstr tapTerminateApp;
3784 CFGLDRQueryBSTR (attachmentNode, "TAPTerminate", tapTerminateApp.asOutParam());
3785
3786 mNetworkAdapters [slot]->COMSETTER(TAPSetupApplication) (tapSetupApp);
3787 mNetworkAdapters [slot]->COMSETTER(TAPTerminateApplication) (tapTerminateApp);
3788#endif // __LINUX__
3789 mNetworkAdapters [slot]->AttachToHostInterface();
3790 }
3791 else
3792 if (CFGLDRGetChildNode(adapterNode, "InternalNetwork", 0, &attachmentNode), attachmentNode)
3793 {
3794 /* Internal Networking */
3795 Bstr name;
3796 CFGLDRQueryBSTR (attachmentNode, "name", name.asOutParam());
3797 ComAssertBreak (!name.isNull(), rc = E_FAIL);
3798 mNetworkAdapters[slot]->AttachToInternalNetwork();
3799 mNetworkAdapters[slot]->COMSETTER(InternalNetwork) (name);
3800 }
3801 else
3802 {
3803 /* Adapter has no children */
3804 mNetworkAdapters [slot]->Detach();
3805 }
3806 if (attachmentNode)
3807 CFGLDRReleaseNode (attachmentNode);
3808
3809 CFGLDRReleaseNode (adapterNode);
3810 }
3811
3812 CFGLDRReleaseNode (networkNode);
3813 if (FAILED (rc))
3814 return rc;
3815 }
3816
3817 /* AudioAdapter node (required) */
3818 /// @todo (dmik) move the code to AudioAdapter
3819 {
3820 CFGNODE audioAdapterNode = 0;
3821 CFGLDRGetChildNode (aNode, "AudioAdapter", 0, &audioAdapterNode);
3822 ComAssertRet (audioAdapterNode, E_FAIL);
3823
3824 // is the adapter enabled?
3825 bool enabled = false;
3826 CFGLDRQueryBool (audioAdapterNode, "enabled", &enabled);
3827 mAudioAdapter->COMSETTER(Enabled) (enabled);
3828 // now check the audio driver
3829 Bstr driver;
3830 CFGLDRQueryBSTR (audioAdapterNode, "driver", driver.asOutParam());
3831 AudioDriverType_T audioDriver;
3832 audioDriver = AudioDriverType_NullAudioDriver;
3833 if (driver == L"null")
3834 ; // Null has been set above
3835#ifdef __WIN__
3836 else if (driver == L"winmm")
3837 audioDriver = AudioDriverType_WINMMAudioDriver;
3838 else if (driver == L"dsound")
3839 audioDriver = AudioDriverType_DSOUNDAudioDriver;
3840#endif // __WIN__
3841#ifdef __LINUX__
3842 else if (driver == L"oss")
3843 audioDriver = AudioDriverType_OSSAudioDriver;
3844 else if (driver == L"alsa")
3845#ifdef VBOX_WITH_ALSA
3846 audioDriver = AudioDriverType_ALSAAudioDriver;
3847#else
3848 // fall back to OSS
3849 audioDriver = AudioDriverType_OSSAudioDriver;
3850#endif
3851#endif // __LINUX__
3852 else
3853 AssertMsgFailed (("Invalid driver: %ls\n", driver.raw()));
3854 mAudioAdapter->COMSETTER(AudioDriver) (audioDriver);
3855
3856 CFGLDRReleaseNode (audioAdapterNode);
3857 }
3858
3859 /* Shared folders (optional) */
3860 /// @todo (dmik) make required on next format change!
3861 do
3862 {
3863 CFGNODE sharedFoldersNode = 0;
3864 CFGLDRGetChildNode (aNode, "SharedFolders", 0, &sharedFoldersNode);
3865
3866 if (!sharedFoldersNode)
3867 break;
3868
3869 HRESULT rc = S_OK;
3870
3871 unsigned cFolders = 0;
3872 CFGLDRCountChildren (sharedFoldersNode, "SharedFolder", &cFolders);
3873
3874 for (unsigned i = 0; i < cFolders; i++)
3875 {
3876 CFGNODE folderNode = 0;
3877 CFGLDRGetChildNode (sharedFoldersNode, "SharedFolder", i, &folderNode);
3878 ComAssertBreak (folderNode, rc = E_FAIL);
3879
3880 // folder logical name (required)
3881 Bstr name;
3882 CFGLDRQueryBSTR (folderNode, "name", name.asOutParam());
3883
3884 // folder host path (required)
3885 Bstr hostPath;
3886 CFGLDRQueryBSTR (folderNode, "hostPath", hostPath.asOutParam());
3887
3888 rc = CreateSharedFolder (name, hostPath);
3889 if (FAILED (rc))
3890 break;
3891
3892 CFGLDRReleaseNode (folderNode);
3893 }
3894
3895 CFGLDRReleaseNode (sharedFoldersNode);
3896 if (FAILED (rc))
3897 return rc;
3898 }
3899 while (0);
3900
3901 /* Clipboard node (currently not required) */
3902 /// @todo (dmik) make required on next format change!
3903 {
3904 /* default value in case the node is not there */
3905 mHWData->mClipboardMode = ClipboardMode_ClipDisabled;
3906
3907 CFGNODE clipNode = 0;
3908 CFGLDRGetChildNode (aNode, "Clipboard", 0, &clipNode);
3909 if (clipNode)
3910 {
3911 Bstr mode;
3912 CFGLDRQueryBSTR (clipNode, "mode", mode.asOutParam());
3913 if (mode == L"Disabled")
3914 mHWData->mClipboardMode = ClipboardMode_ClipDisabled;
3915 else if (mode == L"HostToGuest")
3916 mHWData->mClipboardMode = ClipboardMode_ClipHostToGuest;
3917 else if (mode == L"GuestToHost")
3918 mHWData->mClipboardMode = ClipboardMode_ClipGuestToHost;
3919 else if (mode == L"Bidirectional")
3920 mHWData->mClipboardMode = ClipboardMode_ClipBidirectional;
3921 else
3922 AssertMsgFailed (("%ls clipboard mode is invalid\n", mode.raw()));
3923 CFGLDRReleaseNode (clipNode);
3924 }
3925 }
3926
3927 return S_OK;
3928}
3929
3930/**
3931 * @param aNode <HardDiskAttachments> node
3932 * @param aRegistered true when the machine is being loaded on VirtualBox
3933 * startup, or when a snapshot is being loaded (wchich
3934 * currently can happen on startup only)
3935 * @param aSnapshotId pointer to the snapshot ID if this is a snapshot machine
3936 */
3937HRESULT Machine::loadHardDisks (CFGNODE aNode, bool aRegistered,
3938 const Guid *aSnapshotId /* = NULL */)
3939{
3940 AssertReturn (aNode, E_INVALIDARG);
3941 AssertReturn ((mType == IsMachine && aSnapshotId == NULL) ||
3942 (mType == IsSnapshotMachine && aSnapshotId != NULL), E_FAIL);
3943
3944 HRESULT rc = S_OK;
3945
3946 unsigned cbDisks = 0;
3947 CFGLDRCountChildren (aNode, "HardDiskAttachment", &cbDisks);
3948
3949 if (!aRegistered && cbDisks > 0)
3950 {
3951 /* when the machine is being loaded (opened) from a file, it cannot
3952 * have hard disks attached (this should not happen normally,
3953 * because we don't allow to attach hard disks to an unregistered
3954 * VM at all */
3955 return setError (E_FAIL,
3956 tr ("Unregistered machine '%ls' cannot have hard disks attached "
3957 "(found %d hard disk attachments)"),
3958 mUserData->mName.raw(), cbDisks);
3959 }
3960
3961 for (unsigned i = 0; i < cbDisks && SUCCEEDED (rc); ++ i)
3962 {
3963 CFGNODE hdNode;
3964 CFGLDRGetChildNode (aNode, "HardDiskAttachment", i, &hdNode);
3965 ComAssertRet (hdNode, E_FAIL);
3966
3967 do
3968 {
3969 /* hardDisk uuid (required) */
3970 Guid uuid;
3971 CFGLDRQueryUUID (hdNode, "hardDisk", uuid.ptr());
3972 /* bus (controller) type (required) */
3973 Bstr bus;
3974 CFGLDRQueryBSTR (hdNode, "bus", bus.asOutParam());
3975 /* device (required) */
3976 Bstr device;
3977 CFGLDRQueryBSTR (hdNode, "device", device.asOutParam());
3978
3979 /* find a hard disk by UUID */
3980 ComObjPtr <HardDisk> hd;
3981 rc = mParent->getHardDisk (uuid, hd);
3982 if (FAILED (rc))
3983 break;
3984
3985 AutoLock hdLock (hd);
3986
3987 if (!hd->machineId().isEmpty())
3988 {
3989 rc = setError (E_FAIL,
3990 tr ("Hard disk '%ls' with UUID {%s} is already "
3991 "attached to a machine with UUID {%s} (see '%ls')"),
3992 hd->toString().raw(), uuid.toString().raw(),
3993 hd->machineId().toString().raw(),
3994 mData->mConfigFileFull.raw());
3995 break;
3996 }
3997
3998 if (hd->type() == HardDiskType_ImmutableHardDisk)
3999 {
4000 rc = setError (E_FAIL,
4001 tr ("Immutable hard disk '%ls' with UUID {%s} cannot be "
4002 "directly attached to a machine (see '%ls')"),
4003 hd->toString().raw(), uuid.toString().raw(),
4004 mData->mConfigFileFull.raw());
4005 break;
4006 }
4007
4008 /* attach the device */
4009 DiskControllerType_T ctl = DiskControllerType_InvalidController;
4010 LONG dev = -1;
4011
4012 if (bus == L"ide0")
4013 {
4014 ctl = DiskControllerType_IDE0Controller;
4015 if (device == L"master")
4016 dev = 0;
4017 else if (device == L"slave")
4018 dev = 1;
4019 else
4020 ComAssertMsgFailedBreak (("Invalid device: %ls\n", device.raw()),
4021 rc = E_FAIL);
4022 }
4023 else if (bus == L"ide1")
4024 {
4025 ctl = DiskControllerType_IDE1Controller;
4026 if (device == L"master")
4027 rc = setError (E_FAIL, tr("Could not attach a disk as a master "
4028 "device on the secondary controller"));
4029 else if (device == L"slave")
4030 dev = 1;
4031 else
4032 ComAssertMsgFailedBreak (("Invalid device: %ls\n", device.raw()),
4033 rc = E_FAIL);
4034 }
4035 else
4036 ComAssertMsgFailedBreak (("Invalid bus: %ls\n", bus.raw()),
4037 rc = E_FAIL);
4038
4039 ComObjPtr <HardDiskAttachment> attachment;
4040 attachment.createObject();
4041 rc = attachment->init (hd, ctl, dev, false /* aDirty */);
4042 if (FAILED (rc))
4043 break;
4044
4045 /* associate the hard disk with this machine */
4046 hd->setMachineId (mData->mUuid);
4047
4048 /* associate the hard disk with the given snapshot ID */
4049 if (mType == IsSnapshotMachine)
4050 hd->setSnapshotId (*aSnapshotId);
4051
4052 mHDData->mHDAttachments.push_back (attachment);
4053 }
4054 while (0);
4055
4056 CFGLDRReleaseNode (hdNode);
4057 }
4058
4059 return rc;
4060}
4061
4062/**
4063 * Creates a config loader and loads the settings file.
4064 *
4065 * @param aIsNew |true| if a newly created settings file is to be opened
4066 * (must be the case only when called from #saveSettings())
4067 *
4068 * @note
4069 * XML Schema errors are not detected by this method because
4070 * it assumes that it will load settings from an exclusively locked
4071 * file (using a file handle) that was previously validated when opened
4072 * for the first time. Thus, this method should be used only when
4073 * it's necessary to modify (save) the settings file.
4074 *
4075 * @note The object must be locked at least for reading before calling
4076 * this method.
4077 */
4078HRESULT Machine::openConfigLoader (CFGHANDLE *aLoader, bool aIsNew /* = false */)
4079{
4080 AssertReturn (aLoader, E_FAIL);
4081
4082 /* The settings file must be created and locked at this point */
4083 ComAssertRet (isConfigLocked(), E_FAIL);
4084
4085 /* load the config file */
4086 int vrc = CFGLDRLoad (aLoader,
4087 Utf8Str (mData->mConfigFileFull), mData->mHandleCfgFile,
4088 aIsNew ? NULL : XmlSchemaNS, true, cfgLdrEntityResolver,
4089 NULL);
4090 ComAssertRCRet (vrc, E_FAIL);
4091
4092 return S_OK;
4093}
4094
4095/**
4096 * Closes the config loader previously created by #openConfigLoader().
4097 * If \a aSaveBeforeClose is true, then the config is saved to the settings file
4098 * before closing. If saving fails, a proper error message is set.
4099 *
4100 * @param aSaveBeforeClose whether to save the config before closing or not
4101 */
4102HRESULT Machine::closeConfigLoader (CFGHANDLE aLoader, bool aSaveBeforeClose)
4103{
4104 HRESULT rc = S_OK;
4105
4106 if (aSaveBeforeClose)
4107 {
4108 char *loaderError = NULL;
4109 int vrc = CFGLDRSave (aLoader, &loaderError);
4110 if (VBOX_FAILURE (vrc))
4111 {
4112 rc = setError (E_FAIL,
4113 tr ("Could not save the settings file '%ls' (%Vrc)%s%s"),
4114 mData->mConfigFileFull.raw(), vrc,
4115 loaderError ? ".\n" : "", loaderError ? loaderError : "");
4116 if (loaderError)
4117 RTMemTmpFree (loaderError);
4118 }
4119 }
4120
4121 CFGLDRFree (aLoader);
4122
4123 return rc;
4124}
4125
4126/**
4127 * Searches for a <Snapshot> node for the given snapshot.
4128 * If the search is successful, \a aSnapshotNode will contain the found node.
4129 * In this case, \a aSnapshotsNode can be NULL meaning the found node is a
4130 * direct child of \a aMachineNode.
4131 *
4132 * If the search fails, a failure is returned and both \a aSnapshotsNode and
4133 * \a aSnapshotNode are set to 0.
4134 *
4135 * @param aSnapshot snapshot to search for
4136 * @param aMachineNode <Machine> node to start from
4137 * @param aSnapshotsNode <Snapshots> node containing the found <Snapshot> node
4138 * (may be NULL if the caller is not interested)
4139 * @param aSnapshotNode found <Snapshot> node
4140 */
4141HRESULT Machine::findSnapshotNode (Snapshot *aSnapshot, CFGNODE aMachineNode,
4142 CFGNODE *aSnapshotsNode, CFGNODE *aSnapshotNode)
4143{
4144 AssertReturn (aSnapshot && aMachineNode && aSnapshotNode, E_FAIL);
4145
4146 if (aSnapshotsNode)
4147 *aSnapshotsNode = 0;
4148 *aSnapshotNode = 0;
4149
4150 // build the full uuid path (from the fist parent to the given snapshot)
4151 std::list <Guid> path;
4152 {
4153 ComObjPtr <Snapshot> parent = aSnapshot;
4154 while (parent)
4155 {
4156 path.push_front (parent->data().mId);
4157 parent = parent->parent();
4158 }
4159 }
4160
4161 CFGNODE snapshotsNode = aMachineNode;
4162 CFGNODE snapshotNode = 0;
4163
4164 for (std::list <Guid>::const_iterator it = path.begin();
4165 it != path.end();
4166 ++ it)
4167 {
4168 if (snapshotNode)
4169 {
4170 // proceed to the nested <Snapshots> node
4171 Assert (snapshotsNode);
4172 if (snapshotsNode != aMachineNode)
4173 {
4174 CFGLDRReleaseNode (snapshotsNode);
4175 snapshotsNode = 0;
4176 }
4177 CFGLDRGetChildNode (snapshotNode, "Snapshots", 0, &snapshotsNode);
4178 CFGLDRReleaseNode (snapshotNode);
4179 snapshotNode = 0;
4180 }
4181
4182 AssertReturn (snapshotsNode, E_FAIL);
4183
4184 unsigned count = 0, i = 0;
4185 CFGLDRCountChildren (snapshotsNode, "Snapshot", &count);
4186 for (; i < count; ++ i)
4187 {
4188 snapshotNode = 0;
4189 CFGLDRGetChildNode (snapshotsNode, "Snapshot", i, &snapshotNode);
4190 Guid id;
4191 CFGLDRQueryUUID (snapshotNode, "uuid", id.ptr());
4192 if (id == (*it))
4193 {
4194 // we keep (don't release) snapshotNode and snapshotsNode
4195 break;
4196 }
4197 CFGLDRReleaseNode (snapshotNode);
4198 snapshotNode = 0;
4199 }
4200
4201 if (i == count)
4202 {
4203 // the next uuid is not found, no need to continue...
4204 AssertFailed();
4205 if (snapshotsNode != aMachineNode)
4206 {
4207 CFGLDRReleaseNode (snapshotsNode);
4208 snapshotsNode = 0;
4209 }
4210 break;
4211 }
4212 }
4213
4214 // we must always succesfully find the node
4215 AssertReturn (snapshotNode, E_FAIL);
4216 AssertReturn (snapshotsNode, E_FAIL);
4217
4218 if (aSnapshotsNode)
4219 *aSnapshotsNode = snapshotsNode != aMachineNode ? snapshotsNode : 0;
4220 *aSnapshotNode = snapshotNode;
4221
4222 return S_OK;
4223}
4224
4225/**
4226 * Returns the snapshot with the given UUID or fails of no such snapshot.
4227 *
4228 * @param aId snapshot UUID to find (empty UUID refers the first snapshot)
4229 * @param aSnapshot where to return the found snapshot
4230 * @param aSetError true to set extended error info on failure
4231 */
4232HRESULT Machine::findSnapshot (const Guid &aId, ComObjPtr <Snapshot> &aSnapshot,
4233 bool aSetError /* = false */)
4234{
4235 if (!mData->mFirstSnapshot)
4236 {
4237 if (aSetError)
4238 return setError (E_FAIL,
4239 tr ("This machine does not have any snapshots"));
4240 return E_FAIL;
4241 }
4242
4243 if (aId.isEmpty())
4244 aSnapshot = mData->mFirstSnapshot;
4245 else
4246 aSnapshot = mData->mFirstSnapshot->findChildOrSelf (aId);
4247
4248 if (!aSnapshot)
4249 {
4250 if (aSetError)
4251 return setError (E_FAIL,
4252 tr ("Could not find a snapshot with UUID {%s}"),
4253 aId.toString().raw());
4254 return E_FAIL;
4255 }
4256
4257 return S_OK;
4258}
4259
4260/**
4261 * Returns the snapshot with the given name or fails of no such snapshot.
4262 *
4263 * @param aName snapshot name to find
4264 * @param aSnapshot where to return the found snapshot
4265 * @param aSetError true to set extended error info on failure
4266 */
4267HRESULT Machine::findSnapshot (const BSTR aName, ComObjPtr <Snapshot> &aSnapshot,
4268 bool aSetError /* = false */)
4269{
4270 AssertReturn (aName, E_INVALIDARG);
4271
4272 if (!mData->mFirstSnapshot)
4273 {
4274 if (aSetError)
4275 return setError (E_FAIL,
4276 tr ("This machine does not have any snapshots"));
4277 return E_FAIL;
4278 }
4279
4280 aSnapshot = mData->mFirstSnapshot->findChildOrSelf (aName);
4281
4282 if (!aSnapshot)
4283 {
4284 if (aSetError)
4285 return setError (E_FAIL,
4286 tr ("Could not find a snapshot named '%ls'"), aName);
4287 return E_FAIL;
4288 }
4289
4290 return S_OK;
4291}
4292
4293/**
4294 * Searches for an attachment that contains the given hard disk.
4295 * The hard disk must be associated with some VM and can be optionally
4296 * associated with some snapshot. If the attachment is stored in the snapshot
4297 * (i.e. the hard disk is associated with some snapshot), @a aSnapshot
4298 * will point to a non-null object on output.
4299 *
4300 * @param aHd hard disk to search an attachment for
4301 * @param aMachine where to store the hard disk's machine (can be NULL)
4302 * @param aSnapshot where to store the hard disk's snapshot (can be NULL)
4303 * @param aHda where to store the hard disk's attachment (can be NULL)
4304 *
4305 *
4306 * @note
4307 * It is assumed that the machine where the attachment is found,
4308 * is already placed to the Discarding state, when this method is called.
4309 * @note
4310 * The object returned in @a aHda is the attachment from the snapshot
4311 * machine if the hard disk is associated with the snapshot, not from the
4312 * primary machine object returned returned in @a aMachine.
4313 */
4314HRESULT Machine::findHardDiskAttachment (const ComObjPtr <HardDisk> &aHd,
4315 ComObjPtr <Machine> *aMachine,
4316 ComObjPtr <Snapshot> *aSnapshot,
4317 ComObjPtr <HardDiskAttachment> *aHda)
4318{
4319 AssertReturn (!aHd.isNull(), E_INVALIDARG);
4320
4321 Guid mid = aHd->machineId();
4322 Guid sid = aHd->snapshotId();
4323
4324 AssertReturn (!mid.isEmpty(), E_INVALIDARG);
4325
4326 ComObjPtr <Machine> m;
4327 mParent->getMachine (mid, m);
4328 ComAssertRet (!m.isNull(), E_FAIL);
4329
4330 HDData::HDAttachmentList *attachments = &m->mHDData->mHDAttachments;
4331
4332 ComObjPtr <Snapshot> s;
4333 if (!sid.isEmpty())
4334 {
4335 m->findSnapshot (sid, s);
4336 ComAssertRet (!s.isNull(), E_FAIL);
4337 attachments = &s->data().mMachine->mHDData->mHDAttachments;
4338 }
4339
4340 AssertReturn (attachments, E_FAIL);
4341
4342 for (HDData::HDAttachmentList::const_iterator it = attachments->begin();
4343 it != attachments->end();
4344 ++ it)
4345 {
4346 if ((*it)->hardDisk() == aHd)
4347 {
4348 if (aMachine) *aMachine = m;
4349 if (aSnapshot) *aSnapshot = s;
4350 if (aHda) *aHda = (*it);
4351 return S_OK;
4352 }
4353 }
4354
4355 ComAssertFailed();
4356 return E_FAIL;
4357}
4358
4359/**
4360 * Helper for #saveSettings. Cares about renaming the settings directory and
4361 * file if the machine name was changed and about creating a new settings file
4362 * if this is a new machine.
4363 *
4364 * @note Must be never called directly.
4365 *
4366 * @param aRenamed receives |true| if the name was changed and the settings
4367 * file was renamed as a result, or |false| otherwise. The
4368 * value makes sense only on success.
4369 * @param aNew receives |true| if a virgin settings file was created.
4370 */
4371HRESULT Machine::prepareSaveSettings (bool &aRenamed, bool &aNew)
4372{
4373 HRESULT rc = S_OK;
4374
4375 aRenamed = false;
4376
4377 /* if we're ready and isConfigLocked() is FALSE then it means
4378 * that no config file exists yet (we will create a virgin one) */
4379 aNew = !isConfigLocked();
4380
4381 /* attempt to rename the settings file if machine name is changed */
4382 if (mUserData->mNameSync &&
4383 mUserData.isBackedUp() &&
4384 mUserData.backedUpData()->mName != mUserData->mName)
4385 {
4386 aRenamed = true;
4387
4388 if (!aNew)
4389 {
4390 /* unlock the old config file */
4391 rc = unlockConfig();
4392 CheckComRCReturnRC (rc);
4393 }
4394
4395 bool dirRenamed = false;
4396 bool fileRenamed = false;
4397
4398 Utf8Str configFile, newConfigFile;
4399 Utf8Str configDir, newConfigDir;
4400
4401 do
4402 {
4403 int vrc = VINF_SUCCESS;
4404
4405 Utf8Str name = mUserData.backedUpData()->mName;
4406 Utf8Str newName = mUserData->mName;
4407
4408 configFile = mData->mConfigFileFull;
4409
4410 /* first, rename the directory if it matches the machine name */
4411 configDir = configFile;
4412 RTPathStripFilename (configDir.mutableRaw());
4413 newConfigDir = configDir;
4414 if (RTPathFilename (configDir) == name)
4415 {
4416 RTPathStripFilename (newConfigDir.mutableRaw());
4417 newConfigDir = Utf8StrFmt ("%s%c%s",
4418 newConfigDir.raw(), RTPATH_DELIMITER, newName.raw());
4419 /* new dir and old dir cannot be equal here because of 'if'
4420 * above and because name != newName */
4421 Assert (configDir != newConfigDir);
4422 if (!aNew)
4423 {
4424 /* perform real rename only if the machine is not new */
4425 vrc = RTPathRename (configDir.raw(), newConfigDir.raw(), 0);
4426 if (VBOX_FAILURE (vrc))
4427 {
4428 rc = setError (E_FAIL,
4429 tr ("Could not rename the directory '%s' to '%s' "
4430 "to save the settings file (%Vrc)"),
4431 configDir.raw(), newConfigDir.raw(), vrc);
4432 break;
4433 }
4434 dirRenamed = true;
4435 }
4436 }
4437
4438 newConfigFile = Utf8StrFmt ("%s%c%s.xml",
4439 newConfigDir.raw(), RTPATH_DELIMITER, newName.raw());
4440
4441 /* then try to rename the settings file itself */
4442 if (newConfigFile != configFile)
4443 {
4444 /* get the path to old settings file in renamed directory */
4445 configFile = Utf8StrFmt ("%s%c%s",
4446 newConfigDir.raw(), RTPATH_DELIMITER,
4447 RTPathFilename (configFile));
4448 if (!aNew)
4449 {
4450 /* perform real rename only if the machine is not new */
4451 vrc = RTFileRename (configFile.raw(), newConfigFile.raw(), 0);
4452 if (VBOX_FAILURE (vrc))
4453 {
4454 rc = setError (E_FAIL,
4455 tr ("Could not rename the settings file '%s' to '%s' "
4456 "(%Vrc)"),
4457 configFile.raw(), newConfigFile.raw(), vrc);
4458 break;
4459 }
4460 fileRenamed = true;
4461 }
4462 }
4463
4464 /* update mConfigFileFull amd mConfigFile */
4465 Bstr oldConfigFileFull = mData->mConfigFileFull;
4466 Bstr oldConfigFile = mData->mConfigFile;
4467 mData->mConfigFileFull = newConfigFile;
4468 /* try to get the relative path for mConfigFile */
4469 Utf8Str path = newConfigFile;
4470 mParent->calculateRelativePath (path, path);
4471 mData->mConfigFile = path;
4472
4473 /* last, try to update the global settings with the new path */
4474 if (mData->mRegistered)
4475 {
4476 rc = mParent->updateSettings (configDir, newConfigDir);
4477 if (FAILED (rc))
4478 {
4479 /* revert to old values */
4480 mData->mConfigFileFull = oldConfigFileFull;
4481 mData->mConfigFile = oldConfigFile;
4482 break;
4483 }
4484 }
4485
4486 /* update the snapshot folder */
4487 path = mUserData->mSnapshotFolderFull;
4488 if (RTPathStartsWith (path, configDir))
4489 {
4490 path = Utf8StrFmt ("%s%s", newConfigDir.raw(),
4491 path.raw() + configDir.length());
4492 mUserData->mSnapshotFolderFull = path;
4493 calculateRelativePath (path, path);
4494 mUserData->mSnapshotFolder = path;
4495 }
4496
4497 /* update the saved state file path */
4498 path = mSSData->mStateFilePath;
4499 if (RTPathStartsWith (path, configDir))
4500 {
4501 path = Utf8StrFmt ("%s%s", newConfigDir.raw(),
4502 path.raw() + configDir.length());
4503 mSSData->mStateFilePath = path;
4504 }
4505
4506 /* Update saved state file paths of all online snapshots.
4507 * Note that saveSettings() will recognize name change
4508 * and will save all snapshots in this case. */
4509 if (mData->mFirstSnapshot)
4510 mData->mFirstSnapshot->updateSavedStatePaths (configDir,
4511 newConfigDir);
4512 }
4513 while (0);
4514
4515 if (FAILED (rc))
4516 {
4517 /* silently try to rename everything back */
4518 if (fileRenamed)
4519 RTFileRename (newConfigFile.raw(), configFile.raw(), 0);
4520 if (dirRenamed)
4521 RTPathRename (newConfigDir.raw(), configDir.raw(), 0);
4522 }
4523
4524 if (!aNew)
4525 {
4526 /* lock the config again */
4527 HRESULT rc2 = lockConfig();
4528 if (SUCCEEDED (rc))
4529 rc = rc2;
4530 }
4531
4532 CheckComRCReturnRC (rc);
4533 }
4534
4535 if (aNew)
4536 {
4537 /* create a virgin config file */
4538 int vrc = VINF_SUCCESS;
4539
4540 /* ensure the settings directory exists */
4541 Utf8Str path = mData->mConfigFileFull;
4542 RTPathStripFilename (path.mutableRaw());
4543 if (!RTDirExists (path))
4544 {
4545 vrc = RTDirCreateFullPath (path, 0777);
4546 if (VBOX_FAILURE (vrc))
4547 {
4548 return setError (E_FAIL,
4549 tr ("Could not create a directory '%s' "
4550 "to save the settings file (%Vrc)"),
4551 path.raw(), vrc);
4552 }
4553 }
4554
4555 /* Note: open flags must correlated with RTFileOpen() in lockConfig() */
4556 path = Utf8Str (mData->mConfigFileFull);
4557 vrc = RTFileOpen (&mData->mHandleCfgFile, path,
4558 RTFILE_O_READWRITE | RTFILE_O_CREATE |
4559 RTFILE_O_DENY_WRITE);
4560 if (VBOX_SUCCESS (vrc))
4561 {
4562 vrc = RTFileWrite (mData->mHandleCfgFile,
4563 (void *) DefaultMachineConfig,
4564 sizeof (DefaultMachineConfig), NULL);
4565 }
4566 if (VBOX_FAILURE (vrc))
4567 {
4568 mData->mHandleCfgFile = NIL_RTFILE;
4569 return setError (E_FAIL,
4570 tr ("Could not create the settings file '%s' (%Vrc)"),
4571 path.raw(), vrc);
4572 }
4573 /* we do not close the file to simulate lockConfig() */
4574 }
4575
4576 return rc;
4577}
4578
4579/**
4580 * Saves machine data, user data and hardware data.
4581 *
4582 * @param aMarkCurStateAsModified
4583 * if true (default), mData->mCurrentStateModified will be set to
4584 * what #isReallyModified() returns prior to saving settings to a file,
4585 * otherwise the current value of mData->mCurrentStateModified will be
4586 * saved.
4587 * @param aInformCallbacksAnyway
4588 * if true, callbacks will be informed even if #isReallyModified()
4589 * returns false. This is necessary for cases when we change machine data
4590 * diectly, not through the backup()/commit() mechanism.
4591 *
4592 * @note Locks mParent (only in some cases, and only when #isConfigLocked() is
4593 * |TRUE|, see the #prepareSaveSettings() code for details) +
4594 * this object + children for writing.
4595 */
4596HRESULT Machine::saveSettings (bool aMarkCurStateAsModified /* = true */,
4597 bool aInformCallbacksAnyway /* = false */)
4598{
4599 /// @todo (dmik) I guess we should lock all our child objects here
4600 // (such as mVRDPServer etc.) to ensure they are not changed
4601 // until completely saved to disk and committed
4602
4603 /// @todo (dmik) also, we need to delegate saving child objects' settings
4604 // to objects themselves to ensure operations 'commit + save changes'
4605 // are atomic (amd done from the object's lock so that nobody can change
4606 // settings again until completely saved).
4607
4608 AssertReturn (mType == IsMachine || mType == IsSessionMachine, E_FAIL);
4609
4610 bool wasModified;
4611
4612 if (aMarkCurStateAsModified)
4613 {
4614 /*
4615 * We ignore changes to user data when setting mCurrentStateModified
4616 * because the current state will not differ from the current snapshot
4617 * if only user data has been changed (user data is shared by all
4618 * snapshots).
4619 */
4620 mData->mCurrentStateModified = isReallyModified (true /* aIgnoreUserData */);
4621 wasModified = mUserData.hasActualChanges() || mData->mCurrentStateModified;
4622 }
4623 else
4624 {
4625 wasModified = isReallyModified();
4626 }
4627
4628 HRESULT rc = S_OK;
4629
4630 /* First, prepare to save settings. It will will care about renaming the
4631 * settings directory and file if the machine name was changed and about
4632 * creating a new settings file if this is a new machine. */
4633 bool isRenamed = false;
4634 bool isNew = false;
4635 rc = prepareSaveSettings (isRenamed, isNew);
4636 CheckComRCReturnRC (rc);
4637
4638 /* then, open the settings file */
4639 CFGHANDLE configLoader = 0;
4640 rc = openConfigLoader (&configLoader, isNew);
4641 CheckComRCReturnRC (rc);
4642
4643 /* save all snapshots when the machine name was changed since
4644 * it may affect saved state file paths for online snapshots (see
4645 * #openConfigLoader() for details) */
4646 bool updateAllSnapshots = isRenamed;
4647
4648 /* commit before saving, since it may change settings
4649 * (for example, perform fixup of lazy hard disk changes) */
4650 rc = commit();
4651 if (FAILED (rc))
4652 {
4653 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
4654 return rc;
4655 }
4656
4657 /* include hard disk changes to the modified flag */
4658 wasModified |= mHDData->mHDAttachmentsChanged;
4659 if (aMarkCurStateAsModified)
4660 mData->mCurrentStateModified |= BOOL (mHDData->mHDAttachmentsChanged);
4661
4662
4663 CFGNODE machineNode = 0;
4664 /* create if not exists */
4665 CFGLDRCreateNode (configLoader, "VirtualBox/Machine", &machineNode);
4666
4667 do
4668 {
4669 ComAssertBreak (machineNode, rc = E_FAIL);
4670
4671 /* uuid (required) */
4672 Assert (mData->mUuid);
4673 CFGLDRSetUUID (machineNode, "uuid", mData->mUuid.raw());
4674
4675 /* name (required) */
4676 Assert (!mUserData->mName.isEmpty());
4677 CFGLDRSetBSTR (machineNode, "name", mUserData->mName);
4678
4679 /* nameSync (optional, default is true) */
4680 if (!mUserData->mNameSync)
4681 CFGLDRSetBool (machineNode, "nameSync", false);
4682 else
4683 CFGLDRDeleteAttribute (machineNode, "nameSync");
4684
4685 /* OSType (required) */
4686 {
4687 Bstr osTypeID;
4688 rc = mUserData->mOSType->COMGETTER(Id) (osTypeID.asOutParam());
4689 ComAssertComRCBreak (rc, rc = rc);
4690 Assert (!osTypeID.isNull());
4691 CFGLDRSetBSTR (machineNode, "OSType", osTypeID);
4692 }
4693
4694 /* stateFile (optional) */
4695 if (mData->mMachineState == MachineState_Saved)
4696 {
4697 Assert (!mSSData->mStateFilePath.isEmpty());
4698 /* try to make the file name relative to the settings file dir */
4699 Utf8Str stateFilePath = mSSData->mStateFilePath;
4700 calculateRelativePath (stateFilePath, stateFilePath);
4701 CFGLDRSetString (machineNode, "stateFile", stateFilePath);
4702 }
4703 else
4704 {
4705 Assert (mSSData->mStateFilePath.isNull());
4706 CFGLDRDeleteAttribute (machineNode, "stateFile");
4707 }
4708
4709 /* currentSnapshot ID (optional) */
4710 if (!mData->mCurrentSnapshot.isNull())
4711 {
4712 Assert (!mData->mFirstSnapshot.isNull());
4713 CFGLDRSetUUID (machineNode, "currentSnapshot",
4714 mData->mCurrentSnapshot->data().mId);
4715 }
4716 else
4717 {
4718 Assert (mData->mFirstSnapshot.isNull());
4719 CFGLDRDeleteAttribute (machineNode, "currentSnapshot");
4720 }
4721
4722 /* snapshotFolder (optional) */
4723 if (mUserData->mSnapshotFolder)
4724 CFGLDRSetBSTR (machineNode, "snapshotFolder", mUserData->mSnapshotFolder);
4725 else
4726 CFGLDRDeleteAttribute (machineNode, "snapshotFolder");
4727
4728 /* currentStateModified (optional, default is yes) */
4729 if (!mData->mCurrentStateModified)
4730 CFGLDRSetBool (machineNode, "currentStateModified", false);
4731 else
4732 CFGLDRDeleteAttribute (machineNode, "currentStateModified");
4733
4734 /* lastStateChange */
4735 CFGLDRSetDateTime (machineNode, "lastStateChange",
4736 mData->mLastStateChange);
4737
4738 /* Hardware node (required) */
4739 {
4740 CFGNODE hwNode = 0;
4741 CFGLDRGetChildNode (machineNode, "Hardware", 0, &hwNode);
4742 /* first, delete the entire node if exists */
4743 if (hwNode)
4744 CFGLDRDeleteNode (hwNode);
4745 /* then recreate it */
4746 hwNode = 0;
4747 CFGLDRCreateChildNode (machineNode, "Hardware", &hwNode);
4748 ComAssertBreak (hwNode, rc = E_FAIL);
4749
4750 rc = saveHardware (hwNode);
4751
4752 CFGLDRReleaseNode (hwNode);
4753 if (FAILED (rc))
4754 break;
4755 }
4756
4757 /* HardDiskAttachments node (required) */
4758 {
4759 CFGNODE hdasNode = 0;
4760 CFGLDRGetChildNode (machineNode, "HardDiskAttachments", 0, &hdasNode);
4761 /* first, delete the entire node if exists */
4762 if (hdasNode)
4763 CFGLDRDeleteNode (hdasNode);
4764 /* then recreate it */
4765 hdasNode = 0;
4766 CFGLDRCreateChildNode (machineNode, "HardDiskAttachments", &hdasNode);
4767 ComAssertBreak (hdasNode, rc = E_FAIL);
4768
4769 rc = saveHardDisks (hdasNode);
4770
4771 CFGLDRReleaseNode (hdasNode);
4772 if (FAILED (rc))
4773 break;
4774 }
4775
4776 /* update all snapshots if requested */
4777 if (updateAllSnapshots)
4778 rc = saveSnapshotSettingsWorker (machineNode, NULL,
4779 SaveSS_UpdateAllOp);
4780 }
4781 while (0);
4782
4783 if (machineNode)
4784 CFGLDRReleaseNode (machineNode);
4785
4786 if (SUCCEEDED (rc))
4787 rc = closeConfigLoader (configLoader, true /* aSaveBeforeClose */);
4788 else
4789 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
4790
4791 if (FAILED (rc))
4792 {
4793 /*
4794 * backup arbitrary data item to cause #isModified() to still return
4795 * true in case of any error
4796 */
4797 mHWData.backup();
4798 }
4799
4800 if (wasModified || aInformCallbacksAnyway)
4801 {
4802 /*
4803 * Fire the data change event, even on failure (since we've already
4804 * committed all data). This is done only for SessionMachines because
4805 * mutable Machine instances are always not registered (i.e. private
4806 * to the client process that creates them) and thus don't need to
4807 * inform callbacks.
4808 */
4809 if (mType == IsSessionMachine)
4810 mParent->onMachineDataChange (mData->mUuid);
4811 }
4812
4813 return rc;
4814}
4815
4816/**
4817 * Wrapper for #saveSnapshotSettingsWorker() that opens the settings file
4818 * and locates the <Machine> node in there. See #saveSnapshotSettingsWorker()
4819 * for more details.
4820 *
4821 * @param aSnapshot Snapshot to operate on
4822 * @param aOpFlags Operation to perform, one of SaveSS_NoOp, SaveSS_AddOp
4823 * or SaveSS_UpdateAttrsOp possibly combined with
4824 * SaveSS_UpdateCurrentId.
4825 *
4826 * @note Locks this object for writing + other child objects.
4827 */
4828HRESULT Machine::saveSnapshotSettings (Snapshot *aSnapshot, int aOpFlags)
4829{
4830 AutoCaller autoCaller (this);
4831 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
4832
4833 AssertReturn (mType == IsMachine || mType == IsSessionMachine, E_FAIL);
4834
4835 AutoLock alock (this);
4836
4837 AssertReturn (isConfigLocked(), E_FAIL);
4838
4839 HRESULT rc = S_OK;
4840
4841 /* load the config file */
4842 CFGHANDLE configLoader = 0;
4843 rc = openConfigLoader (&configLoader);
4844 if (FAILED (rc))
4845 return rc;
4846
4847 CFGNODE machineNode = 0;
4848 CFGLDRGetNode (configLoader, "VirtualBox/Machine", 0, &machineNode);
4849
4850 do
4851 {
4852 ComAssertBreak (machineNode, rc = E_FAIL);
4853
4854 rc = saveSnapshotSettingsWorker (machineNode, aSnapshot, aOpFlags);
4855
4856 CFGLDRReleaseNode (machineNode);
4857 }
4858 while (0);
4859
4860 if (SUCCEEDED (rc))
4861 rc = closeConfigLoader (configLoader, true /* aSaveBeforeClose */);
4862 else
4863 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
4864
4865 return rc;
4866}
4867
4868/**
4869 * Performs the specified operation on the given snapshot
4870 * in the settings file represented by \a aMachineNode.
4871 *
4872 * If \a aOpFlags = SaveSS_UpdateAllOp, \a aSnapshot can be NULL to indicate
4873 * that the whole tree of the snapshots should be updated in <Machine>.
4874 * One particular case is when the last (and the only) snapshot should be
4875 * removed (it is so when both mCurrentSnapshot and mFirstSnapshot are NULL).
4876 *
4877 * \a aOp may be just SaveSS_UpdateCurrentId if only the currentSnapshot
4878 * attribute of <Machine> needs to be updated.
4879 *
4880 * @param aMachineNode <Machine> node in the opened settings file
4881 * @param aSnapshot Snapshot to operate on
4882 * @param aOpFlags Operation to perform, one of SaveSS_NoOp, SaveSS_AddOp
4883 * or SaveSS_UpdateAttrsOp possibly combined with
4884 * SaveSS_UpdateCurrentId.
4885 *
4886 * @note Must be called with this object locked for writing.
4887 * Locks child objects.
4888 */
4889HRESULT Machine::saveSnapshotSettingsWorker (CFGNODE aMachineNode,
4890 Snapshot *aSnapshot, int aOpFlags)
4891{
4892 AssertReturn (aMachineNode, E_FAIL);
4893
4894 AssertReturn (isLockedOnCurrentThread(), E_FAIL);
4895
4896 int op = aOpFlags & SaveSS_OpMask;
4897 AssertReturn (
4898 (aSnapshot && (op == SaveSS_AddOp || op == SaveSS_UpdateAttrsOp ||
4899 op == SaveSS_UpdateAllOp)) ||
4900 (!aSnapshot && ((op == SaveSS_NoOp && (aOpFlags & SaveSS_UpdateCurrentId)) ||
4901 op == SaveSS_UpdateAllOp)),
4902 E_FAIL);
4903
4904 HRESULT rc = S_OK;
4905
4906 bool recreateWholeTree = false;
4907
4908 do
4909 {
4910 if (op == SaveSS_NoOp)
4911 break;
4912
4913 /* quick path: recreate the whole tree of the snapshots */
4914 if (op == SaveSS_UpdateAllOp && !aSnapshot)
4915 {
4916 /* first, delete the entire root snapshot node if it exists */
4917 CFGNODE snapshotNode = 0;
4918 CFGLDRGetChildNode (aMachineNode, "Snapshot", 0, &snapshotNode);
4919 if (snapshotNode)
4920 CFGLDRDeleteNode (snapshotNode);
4921
4922 /*
4923 * second, if we have any snapshots left, substitute aSnapshot with
4924 * the first snapshot to recreate the whole tree, otherwise break
4925 */
4926 if (mData->mFirstSnapshot)
4927 {
4928 aSnapshot = mData->mFirstSnapshot;
4929 recreateWholeTree = true;
4930 }
4931 else
4932 break;
4933 }
4934
4935 Assert (!!aSnapshot);
4936 ComObjPtr <Snapshot> parent = aSnapshot->parent();
4937
4938 if (op == SaveSS_AddOp)
4939 {
4940 CFGNODE parentNode = 0;
4941
4942 if (parent)
4943 {
4944 rc = findSnapshotNode (parent, aMachineNode, NULL, &parentNode);
4945 if (FAILED (rc))
4946 break;
4947 ComAssertBreak (parentNode, rc = E_FAIL);
4948 }
4949
4950 do
4951 {
4952 CFGNODE snapshotsNode = 0;
4953
4954 if (parentNode)
4955 {
4956 CFGLDRCreateChildNode (parentNode, "Snapshots", &snapshotsNode);
4957 ComAssertBreak (snapshotsNode, rc = E_FAIL);
4958 }
4959 else
4960 snapshotsNode = aMachineNode;
4961 do
4962 {
4963 CFGNODE snapshotNode = 0;
4964 CFGLDRAppendChildNode (snapshotsNode, "Snapshot", &snapshotNode);
4965 ComAssertBreak (snapshotNode, rc = E_FAIL);
4966 rc = saveSnapshot (snapshotNode, aSnapshot, false /* aAttrsOnly */);
4967 CFGLDRReleaseNode (snapshotNode);
4968
4969 if (FAILED (rc))
4970 break;
4971
4972 /*
4973 * when a new snapshot is added, this means diffs were created
4974 * for every normal/immutable hard disk of the VM, so we need to
4975 * save the current hard disk attachments
4976 */
4977
4978 CFGNODE hdasNode = 0;
4979 CFGLDRGetChildNode (aMachineNode, "HardDiskAttachments", 0, &hdasNode);
4980 if (hdasNode)
4981 CFGLDRDeleteNode (hdasNode);
4982 CFGLDRCreateChildNode (aMachineNode, "HardDiskAttachments", &hdasNode);
4983 ComAssertBreak (hdasNode, rc = E_FAIL);
4984
4985 rc = saveHardDisks (hdasNode);
4986
4987 if (mHDData->mHDAttachments.size() != 0)
4988 {
4989 /*
4990 * If we have one or more attachments then we definitely
4991 * created diffs for them and associated new diffs with
4992 * current settngs. So, since we don't use saveSettings(),
4993 * we need to inform callbacks manually.
4994 */
4995 if (mType == IsSessionMachine)
4996 mParent->onMachineDataChange (mData->mUuid);
4997 }
4998
4999 CFGLDRReleaseNode (hdasNode);
5000 }
5001 while (0);
5002
5003 if (snapshotsNode != aMachineNode)
5004 CFGLDRReleaseNode (snapshotsNode);
5005 }
5006 while (0);
5007
5008 if (parentNode)
5009 CFGLDRReleaseNode (parentNode);
5010
5011 break;
5012 }
5013
5014 Assert (op == SaveSS_UpdateAttrsOp && !recreateWholeTree ||
5015 op == SaveSS_UpdateAllOp);
5016
5017 CFGNODE snapshotsNode = 0;
5018 CFGNODE snapshotNode = 0;
5019
5020 if (!recreateWholeTree)
5021 {
5022 rc = findSnapshotNode (aSnapshot, aMachineNode,
5023 &snapshotsNode, &snapshotNode);
5024 if (FAILED (rc))
5025 break;
5026 ComAssertBreak (snapshotNode, rc = E_FAIL);
5027 }
5028
5029 if (!snapshotsNode)
5030 snapshotsNode = aMachineNode;
5031
5032 if (op == SaveSS_UpdateAttrsOp)
5033 rc = saveSnapshot (snapshotNode, aSnapshot, true /* aAttrsOnly */);
5034 else do
5035 {
5036 if (snapshotNode)
5037 {
5038 CFGLDRDeleteNode (snapshotNode);
5039 snapshotNode = 0;
5040 }
5041 CFGLDRAppendChildNode (snapshotsNode, "Snapshot", &snapshotNode);
5042 ComAssertBreak (snapshotNode, rc = E_FAIL);
5043 rc = saveSnapshot (snapshotNode, aSnapshot, false /* aAttrsOnly */);
5044 }
5045 while (0);
5046
5047 CFGLDRReleaseNode (snapshotNode);
5048 if (snapshotsNode != aMachineNode)
5049 CFGLDRReleaseNode (snapshotsNode);
5050 }
5051 while (0);
5052
5053 if (SUCCEEDED (rc))
5054 {
5055 /* update currentSnapshot when appropriate */
5056 if (aOpFlags & SaveSS_UpdateCurrentId)
5057 {
5058 if (!mData->mCurrentSnapshot.isNull())
5059 CFGLDRSetUUID (aMachineNode, "currentSnapshot",
5060 mData->mCurrentSnapshot->data().mId);
5061 else
5062 CFGLDRDeleteAttribute (aMachineNode, "currentSnapshot");
5063 }
5064 if (aOpFlags & SaveSS_UpdateCurStateModified)
5065 {
5066 if (!mData->mCurrentStateModified)
5067 CFGLDRSetBool (aMachineNode, "currentStateModified", false);
5068 else
5069 CFGLDRDeleteAttribute (aMachineNode, "currentStateModified");
5070 }
5071 }
5072
5073 return rc;
5074}
5075
5076/**
5077 * Saves the given snapshot and all its children (unless \a aAttrsOnly is true).
5078 * It is assumed that the given node is empty (unless \a aAttrsOnly is true).
5079 *
5080 * @param aNode <Snapshot> node to save the snapshot to
5081 * @param aSnapshot snapshot to save
5082 * @param aAttrsOnly if true, only updatge user-changeable attrs
5083 */
5084HRESULT Machine::saveSnapshot (CFGNODE aNode, Snapshot *aSnapshot, bool aAttrsOnly)
5085{
5086 AssertReturn (aNode && aSnapshot, E_INVALIDARG);
5087 AssertReturn (mType == IsMachine || mType == IsSessionMachine, E_FAIL);
5088
5089 /* uuid (required) */
5090 if (!aAttrsOnly)
5091 CFGLDRSetUUID (aNode, "uuid", aSnapshot->data().mId);
5092
5093 /* name (required) */
5094 CFGLDRSetBSTR (aNode, "name", aSnapshot->data().mName);
5095
5096 /* timeStamp (required) */
5097 CFGLDRSetDateTime (aNode, "timeStamp", aSnapshot->data().mTimeStamp);
5098
5099 /* Description node (optional) */
5100 {
5101 CFGNODE descNode = 0;
5102 CFGLDRCreateChildNode (aNode, "Description", &descNode);
5103 CFGLDRSetBSTR (descNode, NULL, aSnapshot->data().mDescription);
5104 CFGLDRReleaseNode (descNode);
5105 }
5106
5107 if (aAttrsOnly)
5108 return S_OK;
5109
5110 /* stateFile (optional) */
5111 if (aSnapshot->stateFilePath())
5112 {
5113 /* try to make the file name relative to the settings file dir */
5114 Utf8Str stateFilePath = aSnapshot->stateFilePath();
5115 calculateRelativePath (stateFilePath, stateFilePath);
5116 CFGLDRSetString (aNode, "stateFile", stateFilePath);
5117 }
5118
5119 {
5120 ComObjPtr <SnapshotMachine> snapshotMachine = aSnapshot->data().mMachine;
5121 ComAssertRet (!snapshotMachine.isNull(), E_FAIL);
5122
5123 /* save hardware */
5124 {
5125 CFGNODE hwNode = 0;
5126 CFGLDRCreateChildNode (aNode, "Hardware", &hwNode);
5127
5128 HRESULT rc = snapshotMachine->saveHardware (hwNode);
5129
5130 CFGLDRReleaseNode (hwNode);
5131 if (FAILED (rc))
5132 return rc;
5133 }
5134
5135 /* save hard disks */
5136 {
5137 CFGNODE hdasNode = 0;
5138 CFGLDRCreateChildNode (aNode, "HardDiskAttachments", &hdasNode);
5139
5140 HRESULT rc = snapshotMachine->saveHardDisks (hdasNode);
5141
5142 CFGLDRReleaseNode (hdasNode);
5143 if (FAILED (rc))
5144 return rc;
5145 }
5146 }
5147
5148 /* save children */
5149 {
5150 AutoLock listLock (aSnapshot->childrenLock());
5151
5152 if (aSnapshot->children().size())
5153 {
5154 CFGNODE snapshotsNode = 0;
5155 CFGLDRCreateChildNode (aNode, "Snapshots", &snapshotsNode);
5156
5157 HRESULT rc = S_OK;
5158
5159 for (Snapshot::SnapshotList::const_iterator it = aSnapshot->children().begin();
5160 it != aSnapshot->children().end() && SUCCEEDED (rc);
5161 ++ it)
5162 {
5163 CFGNODE snapshotNode = 0;
5164 CFGLDRCreateChildNode (snapshotsNode, "Snapshot", &snapshotNode);
5165
5166 rc = saveSnapshot (snapshotNode, (*it), aAttrsOnly);
5167
5168 CFGLDRReleaseNode (snapshotNode);
5169 }
5170
5171 CFGLDRReleaseNode (snapshotsNode);
5172 if (FAILED (rc))
5173 return rc;
5174 }
5175 }
5176
5177 return S_OK;
5178}
5179
5180/**
5181 * Creates Saves the VM hardware configuration.
5182 * It is assumed that the given node is empty.
5183 *
5184 * @param aNode <Hardware> node to save the VM hardware confguration to
5185 */
5186HRESULT Machine::saveHardware (CFGNODE aNode)
5187{
5188 AssertReturn (aNode, E_INVALIDARG);
5189
5190 HRESULT rc = S_OK;
5191
5192 /* CPU */
5193 {
5194 CFGNODE cpuNode = 0;
5195 CFGLDRCreateChildNode (aNode, "CPU", &cpuNode);
5196 CFGNODE hwVirtExNode = 0;
5197 CFGLDRCreateChildNode (cpuNode, "HardwareVirtEx", &hwVirtExNode);
5198 char *value = NULL;
5199 switch (mHWData->mHWVirtExEnabled)
5200 {
5201 case TriStateBool_False:
5202 value = "false";
5203 break;
5204 case TriStateBool_True:
5205 value = "true";
5206 break;
5207 default:
5208 value = "default";
5209 }
5210 CFGLDRSetString (hwVirtExNode, "enabled", value);
5211 CFGLDRReleaseNode (hwVirtExNode);
5212 CFGLDRReleaseNode (cpuNode);
5213 }
5214
5215 /* memory (required) */
5216 {
5217 CFGNODE memoryNode = 0;
5218 CFGLDRCreateChildNode (aNode, "Memory", &memoryNode);
5219 CFGLDRSetUInt32 (memoryNode, "RAMSize", mHWData->mMemorySize);
5220 CFGLDRReleaseNode (memoryNode);
5221 }
5222
5223 /* boot (required) */
5224 do
5225 {
5226 CFGNODE bootNode = 0;
5227 CFGLDRCreateChildNode (aNode, "Boot", &bootNode);
5228
5229 for (ULONG pos = 0; pos < ELEMENTS (mHWData->mBootOrder); pos ++)
5230 {
5231 const char *device = NULL;
5232 switch (mHWData->mBootOrder [pos])
5233 {
5234 case DeviceType_NoDevice:
5235 /* skip, this is allowed for <Order> nodes
5236 * when loading, the default value NoDevice will remain */
5237 continue;
5238 case DeviceType_FloppyDevice: device = "Floppy"; break;
5239 case DeviceType_DVDDevice: device = "DVD"; break;
5240 case DeviceType_HardDiskDevice: device = "HardDisk"; break;
5241 case DeviceType_NetworkDevice: device = "Network"; break;
5242 default:
5243 ComAssertMsgFailedBreak (("Invalid boot device: %d\n",
5244 mHWData->mBootOrder [pos]),
5245 rc = E_FAIL);
5246 }
5247 if (FAILED (rc))
5248 break;
5249
5250 CFGNODE orderNode = 0;
5251 CFGLDRAppendChildNode (bootNode, "Order", &orderNode);
5252
5253 CFGLDRSetUInt32 (orderNode, "position", pos + 1);
5254 CFGLDRSetString (orderNode, "device", device);
5255
5256 CFGLDRReleaseNode (orderNode);
5257 }
5258
5259 CFGLDRReleaseNode (bootNode);
5260 }
5261 while (0);
5262
5263 if (FAILED (rc))
5264 return rc;
5265
5266 /* display (required) */
5267 {
5268 CFGNODE displayNode = 0;
5269 CFGLDRCreateChildNode (aNode, "Display", &displayNode);
5270 CFGLDRSetUInt32 (displayNode, "VRAMSize", mHWData->mVRAMSize);
5271 CFGLDRReleaseNode (displayNode);
5272 }
5273
5274#ifdef VBOX_VRDP
5275 /* VRDP settings (optional) */
5276 /// @todo (dmik) move the code to VRDPServer
5277 /// @todo r=sunlover: moved. dmik, please review.
5278 {
5279 CFGNODE remoteDisplayNode = 0;
5280 CFGLDRCreateChildNode (aNode, "RemoteDisplay", &remoteDisplayNode);
5281
5282 if (remoteDisplayNode)
5283 {
5284 mVRDPServer->saveConfig (remoteDisplayNode);
5285 CFGLDRReleaseNode (remoteDisplayNode);
5286 }
5287 }
5288#endif
5289
5290 /* BIOS (required) */
5291 {
5292 CFGNODE biosNode = 0;
5293 CFGLDRCreateChildNode (aNode, "BIOS", &biosNode);
5294 {
5295 BOOL fSet;
5296 /* ACPI */
5297 CFGNODE acpiNode = 0;
5298 CFGLDRCreateChildNode (biosNode, "ACPI", &acpiNode);
5299 mBIOSSettings->COMGETTER(ACPIEnabled)(&fSet);
5300 CFGLDRSetBool (acpiNode, "enabled", !!fSet);
5301 CFGLDRReleaseNode (acpiNode);
5302
5303 /* IOAPIC */
5304 CFGNODE ioapicNode = 0;
5305 CFGLDRCreateChildNode (biosNode, "IOAPIC", &ioapicNode);
5306 mBIOSSettings->COMGETTER(IOAPICEnabled)(&fSet);
5307 CFGLDRSetBool (ioapicNode, "enabled", !!fSet);
5308 CFGLDRReleaseNode (ioapicNode);
5309
5310 /* BIOS logo (optional) **/
5311 CFGNODE logoNode = 0;
5312 CFGLDRCreateChildNode (biosNode, "Logo", &logoNode);
5313 mBIOSSettings->COMGETTER(LogoFadeIn)(&fSet);
5314 CFGLDRSetBool (logoNode, "fadeIn", !!fSet);
5315 mBIOSSettings->COMGETTER(LogoFadeOut)(&fSet);
5316 CFGLDRSetBool (logoNode, "fadeOut", !!fSet);
5317 ULONG ulDisplayTime;
5318 mBIOSSettings->COMGETTER(LogoDisplayTime)(&ulDisplayTime);
5319 CFGLDRSetUInt32 (logoNode, "displayTime", ulDisplayTime);
5320 Bstr logoPath;
5321 mBIOSSettings->COMGETTER(LogoImagePath)(logoPath.asOutParam());
5322 if (logoPath)
5323 CFGLDRSetBSTR (logoNode, "imagePath", logoPath);
5324 else
5325 CFGLDRDeleteAttribute (logoNode, "imagePath");
5326 CFGLDRReleaseNode (logoNode);
5327
5328 /* boot menu (optional) */
5329 CFGNODE bootMenuNode = 0;
5330 CFGLDRCreateChildNode (biosNode, "BootMenu", &bootMenuNode);
5331 BIOSBootMenuMode_T bootMenuMode;
5332 Bstr bootMenuModeStr;
5333 mBIOSSettings->COMGETTER(BootMenuMode)(&bootMenuMode);
5334 switch (bootMenuMode)
5335 {
5336 case BIOSBootMenuMode_Disabled:
5337 bootMenuModeStr = "disabled";
5338 break;
5339 case BIOSBootMenuMode_MenuOnly:
5340 bootMenuModeStr = "menuonly";
5341 break;
5342 default:
5343 bootMenuModeStr = "messageandmenu";
5344 }
5345 CFGLDRSetBSTR (bootMenuNode, "mode", bootMenuModeStr);
5346 CFGLDRReleaseNode (bootMenuNode);
5347 }
5348 CFGLDRReleaseNode(biosNode);
5349 }
5350
5351 /* DVD drive (required) */
5352 /// @todo (dmik) move the code to DVDDrive
5353 do
5354 {
5355 CFGNODE dvdNode = 0;
5356 CFGLDRCreateChildNode (aNode, "DVDDrive", &dvdNode);
5357
5358 BOOL fPassthrough;
5359 mDVDDrive->COMGETTER(Passthrough)(&fPassthrough);
5360 CFGLDRSetBool(dvdNode, "passthrough", !!fPassthrough);
5361
5362 switch (mDVDDrive->data()->mDriveState)
5363 {
5364 case DriveState_ImageMounted:
5365 {
5366 Assert (!mDVDDrive->data()->mDVDImage.isNull());
5367
5368 Guid id;
5369 rc = mDVDDrive->data()->mDVDImage->COMGETTER(Id) (id.asOutParam());
5370 Assert (!id.isEmpty());
5371
5372 CFGNODE imageNode = 0;
5373 CFGLDRCreateChildNode (dvdNode, "Image", &imageNode);
5374 CFGLDRSetUUID (imageNode, "uuid", id.ptr());
5375 CFGLDRReleaseNode (imageNode);
5376 break;
5377 }
5378 case DriveState_HostDriveCaptured:
5379 {
5380 Assert (!mDVDDrive->data()->mHostDrive.isNull());
5381
5382 Bstr name;
5383 rc = mDVDDrive->data()->mHostDrive->COMGETTER(Name) (name.asOutParam());
5384 Assert (!name.isEmpty());
5385
5386 CFGNODE hostDriveNode = 0;
5387 CFGLDRCreateChildNode (dvdNode, "HostDrive", &hostDriveNode);
5388 CFGLDRSetBSTR (hostDriveNode, "src", name);
5389 CFGLDRReleaseNode (hostDriveNode);
5390 break;
5391 }
5392 case DriveState_NotMounted:
5393 /* do nothing, i.e.leave the DVD drive node empty */
5394 break;
5395 default:
5396 ComAssertMsgFailedBreak (("Invalid DVD drive state: %d\n",
5397 mDVDDrive->data()->mDriveState),
5398 rc = E_FAIL);
5399 }
5400
5401 CFGLDRReleaseNode (dvdNode);
5402 }
5403 while (0);
5404
5405 if (FAILED (rc))
5406 return rc;
5407
5408 /* Flooppy drive (required) */
5409 /// @todo (dmik) move the code to DVDDrive
5410 do
5411 {
5412 CFGNODE floppyNode = 0;
5413 CFGLDRCreateChildNode (aNode, "FloppyDrive", &floppyNode);
5414
5415 BOOL fFloppyEnabled;
5416 rc = mFloppyDrive->COMGETTER(Enabled)(&fFloppyEnabled);
5417 CFGLDRSetBool (floppyNode, "enabled", !!fFloppyEnabled);
5418
5419 switch (mFloppyDrive->data()->mDriveState)
5420 {
5421 case DriveState_ImageMounted:
5422 {
5423 Assert (!mFloppyDrive->data()->mFloppyImage.isNull());
5424
5425 Guid id;
5426 rc = mFloppyDrive->data()->mFloppyImage->COMGETTER(Id) (id.asOutParam());
5427 Assert (!id.isEmpty());
5428
5429 CFGNODE imageNode = 0;
5430 CFGLDRCreateChildNode (floppyNode, "Image", &imageNode);
5431 CFGLDRSetUUID (imageNode, "uuid", id.ptr());
5432 CFGLDRReleaseNode (imageNode);
5433 break;
5434 }
5435 case DriveState_HostDriveCaptured:
5436 {
5437 Assert (!mFloppyDrive->data()->mHostDrive.isNull());
5438
5439 Bstr name;
5440 rc = mFloppyDrive->data()->mHostDrive->COMGETTER(Name) (name.asOutParam());
5441 Assert (!name.isEmpty());
5442
5443 CFGNODE hostDriveNode = 0;
5444 CFGLDRCreateChildNode (floppyNode, "HostDrive", &hostDriveNode);
5445 CFGLDRSetBSTR (hostDriveNode, "src", name);
5446 CFGLDRReleaseNode (hostDriveNode);
5447 break;
5448 }
5449 case DriveState_NotMounted:
5450 /* do nothing, i.e.leave the Floppy drive node empty */
5451 break;
5452 default:
5453 ComAssertMsgFailedBreak (("Invalid Floppy drive state: %d\n",
5454 mFloppyDrive->data()->mDriveState),
5455 rc = E_FAIL);
5456 }
5457
5458 CFGLDRReleaseNode (floppyNode);
5459 }
5460 while (0);
5461
5462 if (FAILED (rc))
5463 return rc;
5464
5465
5466 /* USB Controller (required) */
5467 rc = mUSBController->saveSettings (aNode);
5468 if (FAILED (rc))
5469 return rc;
5470
5471 /* Network adapters (required) */
5472 do
5473 {
5474 CFGNODE nwNode = 0;
5475 CFGLDRCreateChildNode (aNode, "Network", &nwNode);
5476
5477 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
5478 {
5479 CFGNODE networkAdapterNode = 0;
5480 CFGLDRAppendChildNode (nwNode, "Adapter", &networkAdapterNode);
5481
5482 CFGLDRSetUInt32 (networkAdapterNode, "slot", slot);
5483 CFGLDRSetBool (networkAdapterNode, "enabled",
5484 !!mNetworkAdapters [slot]->data()->mEnabled);
5485 CFGLDRSetBSTR (networkAdapterNode, "MACAddress",
5486 mNetworkAdapters [slot]->data()->mMACAddress);
5487 CFGLDRSetBool (networkAdapterNode, "cable",
5488 !!mNetworkAdapters [slot]->data()->mCableConnected);
5489
5490 if (mNetworkAdapters [slot]->data()->mTraceEnabled)
5491 CFGLDRSetBool (networkAdapterNode, "trace", true);
5492
5493 CFGLDRSetBSTR (networkAdapterNode, "tracefile",
5494 mNetworkAdapters [slot]->data()->mTraceFile);
5495
5496 switch (mNetworkAdapters [slot]->data()->mAdapterType)
5497 {
5498 case NetworkAdapterType_NetworkAdapterAm79C970A:
5499 CFGLDRSetString (networkAdapterNode, "type", "Am79C970A");
5500 break;
5501 case NetworkAdapterType_NetworkAdapterAm79C973:
5502 CFGLDRSetString (networkAdapterNode, "type", "Am79C973");
5503 break;
5504 default:
5505 ComAssertMsgFailedBreak (("Invalid network adapter type: %d\n",
5506 mNetworkAdapters [slot]->data()->mAdapterType),
5507 rc = E_FAIL);
5508 }
5509
5510 CFGNODE attachmentNode = 0;
5511 switch (mNetworkAdapters [slot]->data()->mAttachmentType)
5512 {
5513 case NetworkAttachmentType_NoNetworkAttachment:
5514 {
5515 /* do nothing -- empty content */
5516 break;
5517 }
5518 case NetworkAttachmentType_NATNetworkAttachment:
5519 {
5520 CFGLDRAppendChildNode (networkAdapterNode, "NAT", &attachmentNode);
5521 break;
5522 }
5523 case NetworkAttachmentType_HostInterfaceNetworkAttachment:
5524 {
5525 CFGLDRAppendChildNode (networkAdapterNode, "HostInterface", &attachmentNode);
5526 const Bstr &name = mNetworkAdapters [slot]->data()->mHostInterface;
5527#ifdef __WIN__
5528 Assert (!name.isNull());
5529#endif
5530#ifdef __LINUX__
5531 if (!name.isEmpty())
5532#endif
5533 CFGLDRSetBSTR (attachmentNode, "name", name);
5534#ifdef __LINUX__
5535 const Bstr &tapSetupApp =
5536 mNetworkAdapters [slot]->data()->mTAPSetupApplication;
5537 if (!tapSetupApp.isEmpty())
5538 CFGLDRSetBSTR (attachmentNode, "TAPSetup", tapSetupApp);
5539 const Bstr &tapTerminateApp =
5540 mNetworkAdapters [slot]->data()->mTAPTerminateApplication;
5541 if (!tapTerminateApp.isEmpty())
5542 CFGLDRSetBSTR (attachmentNode, "TAPTerminate", tapTerminateApp);
5543#endif /* __LINUX__ */
5544 break;
5545 }
5546 case NetworkAttachmentType_InternalNetworkAttachment:
5547 {
5548 CFGLDRAppendChildNode (networkAdapterNode, "InternalNetwork", &attachmentNode);
5549 const Bstr &name = mNetworkAdapters[slot]->data()->mInternalNetwork;
5550 Assert(!name.isNull());
5551 CFGLDRSetBSTR (attachmentNode, "name", name);
5552 break;
5553 }
5554 default:
5555 {
5556 ComAssertFailedBreak (rc = E_FAIL);
5557 break;
5558 }
5559 }
5560 if (attachmentNode)
5561 CFGLDRReleaseNode (attachmentNode);
5562
5563 CFGLDRReleaseNode (networkAdapterNode);
5564 }
5565
5566 CFGLDRReleaseNode (nwNode);
5567 }
5568 while (0);
5569
5570 if (FAILED (rc))
5571 return rc;
5572
5573 /* Audio adapter */
5574 do
5575 {
5576 CFGNODE adapterNode = 0;
5577 CFGLDRCreateChildNode (aNode, "AudioAdapter", &adapterNode);
5578
5579 switch (mAudioAdapter->data()->mAudioDriver)
5580 {
5581 case AudioDriverType_NullAudioDriver:
5582 {
5583 CFGLDRSetString (adapterNode, "driver", "null");
5584 break;
5585 }
5586#ifdef __WIN__
5587 case AudioDriverType_WINMMAudioDriver:
5588 {
5589 CFGLDRSetString (adapterNode, "driver", "winmm");
5590 break;
5591 }
5592 case AudioDriverType_DSOUNDAudioDriver:
5593 {
5594 CFGLDRSetString (adapterNode, "driver", "dsound");
5595 break;
5596 }
5597#endif /* __WIN__ */
5598#ifdef VBOX_WITH_ALSA
5599 case AudioDriverType_ALSAAudioDriver:
5600 {
5601 CFGLDRSetString (adapterNode, "driver", "alsa");
5602 break;
5603 }
5604#else
5605 /* fall back to OSS */
5606 case AudioDriverType_ALSAAudioDriver:
5607#endif
5608#ifdef __LINUX__
5609 case AudioDriverType_OSSAudioDriver:
5610 {
5611 CFGLDRSetString (adapterNode, "driver", "oss");
5612 break;
5613 }
5614#endif /* __LINUX__ */
5615 default:
5616 ComAssertMsgFailedBreak (("Wrong audio driver type! driver = %d\n",
5617 mAudioAdapter->data()->mAudioDriver),
5618 rc = E_FAIL);
5619 }
5620
5621 CFGLDRSetBool (adapterNode, "enabled", !!mAudioAdapter->data()->mEnabled);
5622
5623 CFGLDRReleaseNode (adapterNode);
5624 }
5625 while (0);
5626
5627 if (FAILED (rc))
5628 return rc;
5629
5630 /* Shared folders */
5631 do
5632 {
5633 CFGNODE sharedFoldersNode = 0;
5634 CFGLDRCreateChildNode (aNode, "SharedFolders", &sharedFoldersNode);
5635
5636 for (HWData::SharedFolderList::const_iterator it = mHWData->mSharedFolders.begin();
5637 it != mHWData->mSharedFolders.end();
5638 ++ it)
5639 {
5640 ComObjPtr <SharedFolder> folder = *it;
5641
5642 CFGNODE folderNode = 0;
5643 CFGLDRAppendChildNode (sharedFoldersNode, "SharedFolder", &folderNode);
5644
5645 /* all are mandatory */
5646 CFGLDRSetBSTR (folderNode, "name", folder->name());
5647 CFGLDRSetBSTR (folderNode, "hostPath", folder->hostPath());
5648
5649 CFGLDRReleaseNode (folderNode);
5650 }
5651
5652 CFGLDRReleaseNode (sharedFoldersNode);
5653 }
5654 while (0);
5655
5656 /* Clipboard */
5657 {
5658 CFGNODE clipNode = 0;
5659 CFGLDRCreateChildNode (aNode, "Clipboard", &clipNode);
5660
5661 char *mode = "Disabled";
5662 switch (mHWData->mClipboardMode)
5663 {
5664 case ClipboardMode_ClipDisabled:
5665 /* already assigned */
5666 break;
5667 case ClipboardMode_ClipHostToGuest:
5668 mode = "HostToGuest";
5669 break;
5670 case ClipboardMode_ClipGuestToHost:
5671 mode = "GuestToHost";
5672 break;
5673 case ClipboardMode_ClipBidirectional:
5674 mode = "Bidirectional";
5675 break;
5676 default:
5677 AssertMsgFailed (("Clipboard mode %d is invalid",
5678 mHWData->mClipboardMode));
5679 break;
5680 }
5681 CFGLDRSetString (clipNode, "mode", mode);
5682
5683 CFGLDRReleaseNode (clipNode);
5684 }
5685
5686 return rc;
5687}
5688
5689/**
5690 * Saves the hard disk confguration.
5691 * It is assumed that the given node is empty.
5692 *
5693 * @param aNode <HardDiskAttachments> node to save the hard disk confguration to
5694 */
5695HRESULT Machine::saveHardDisks (CFGNODE aNode)
5696{
5697 AssertReturn (aNode, E_INVALIDARG);
5698
5699 HRESULT rc = S_OK;
5700
5701 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
5702 it != mHDData->mHDAttachments.end() && SUCCEEDED (rc);
5703 ++ it)
5704 {
5705 ComObjPtr <HardDiskAttachment> att = *it;
5706
5707 CFGNODE hdNode = 0;
5708 CFGLDRAppendChildNode (aNode, "HardDiskAttachment", &hdNode);
5709
5710 do
5711 {
5712 const char *bus = NULL;
5713 switch (att->controller())
5714 {
5715 case DiskControllerType_IDE0Controller: bus = "ide0"; break;
5716 case DiskControllerType_IDE1Controller: bus = "ide1"; break;
5717 default:
5718 ComAssertFailedBreak (rc = E_FAIL);
5719 }
5720 if (FAILED (rc))
5721 break;
5722
5723 const char *dev = NULL;
5724 switch (att->deviceNumber())
5725 {
5726 case 0: dev = "master"; break;
5727 case 1: dev = "slave"; break;
5728 default:
5729 ComAssertFailedBreak (rc = E_FAIL);
5730 }
5731 if (FAILED (rc))
5732 break;
5733
5734 CFGLDRSetUUID (hdNode, "hardDisk", att->hardDisk()->id());
5735 CFGLDRSetString (hdNode, "bus", bus);
5736 CFGLDRSetString (hdNode, "device", dev);
5737 }
5738 while (0);
5739
5740 CFGLDRReleaseNode (hdNode);
5741 }
5742
5743 return rc;
5744}
5745
5746/**
5747 * Saves machine state settings as defined by aFlags
5748 * (SaveSTS_* values).
5749 *
5750 * @param aFlags a combination of SaveSTS_* flags
5751 *
5752 * @note Locks objects!
5753 */
5754HRESULT Machine::saveStateSettings (int aFlags)
5755{
5756 if (aFlags == 0)
5757 return S_OK;
5758
5759 AutoCaller autoCaller (this);
5760 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
5761
5762 AutoLock alock (this);
5763
5764 /* load the config file */
5765 CFGHANDLE configLoader = 0;
5766 HRESULT rc = openConfigLoader (&configLoader);
5767 if (FAILED (rc))
5768 return rc;
5769
5770 CFGNODE machineNode = 0;
5771 CFGLDRGetNode (configLoader, "VirtualBox/Machine", 0, &machineNode);
5772
5773 do
5774 {
5775 ComAssertBreak (machineNode, rc = E_FAIL);
5776
5777 if (aFlags & SaveSTS_CurStateModified)
5778 {
5779 if (!mData->mCurrentStateModified)
5780 CFGLDRSetBool (machineNode, "currentStateModified", false);
5781 else
5782 CFGLDRDeleteAttribute (machineNode, "currentStateModified");
5783 }
5784
5785 if (aFlags & SaveSTS_StateFilePath)
5786 {
5787 if (mSSData->mStateFilePath)
5788 CFGLDRSetBSTR (machineNode, "stateFile", mSSData->mStateFilePath);
5789 else
5790 CFGLDRDeleteAttribute (machineNode, "stateFile");
5791 }
5792
5793 if (aFlags & SaveSTS_StateTimeStamp)
5794 {
5795 Assert (mData->mMachineState != MachineState_Aborted ||
5796 mSSData->mStateFilePath.isNull());
5797
5798 CFGLDRSetDateTime (machineNode, "lastStateChange",
5799 mData->mLastStateChange);
5800
5801 // set the aborted attribute when appropriate
5802 if (mData->mMachineState == MachineState_Aborted)
5803 CFGLDRSetBool (machineNode, "aborted", true);
5804 else
5805 CFGLDRDeleteAttribute (machineNode, "aborted");
5806 }
5807 }
5808 while (0);
5809
5810 if (machineNode)
5811 CFGLDRReleaseNode (machineNode);
5812
5813 if (SUCCEEDED (rc))
5814 rc = closeConfigLoader (configLoader, true /* aSaveBeforeClose */);
5815 else
5816 closeConfigLoader (configLoader, false /* aSaveBeforeClose */);
5817
5818 return rc;
5819}
5820
5821/**
5822 * Cleans up all differencing hard disks based on immutable hard disks.
5823 *
5824 * @note Locks objects!
5825 */
5826HRESULT Machine::wipeOutImmutableDiffs()
5827{
5828 AutoCaller autoCaller (this);
5829 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
5830
5831 AutoReaderLock alock (this);
5832
5833 AssertReturn (mData->mMachineState == MachineState_PoweredOff ||
5834 mData->mMachineState == MachineState_Aborted, E_FAIL);
5835
5836 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
5837 it != mHDData->mHDAttachments.end();
5838 ++ it)
5839 {
5840 ComObjPtr <HardDisk> hd = (*it)->hardDisk();
5841 AutoLock hdLock (hd);
5842
5843 if(hd->isParentImmutable())
5844 {
5845 /// @todo (dmik) no error handling for now
5846 // (need async error reporting for this)
5847 hd->asVDI()->wipeOutImage();
5848 }
5849 }
5850
5851 return S_OK;
5852}
5853
5854/**
5855 * Fixes up lazy hard disk attachments by creating or deleting differencing
5856 * hard disks when machine settings are being committed.
5857 * Must be called only from #commit().
5858 *
5859 * @note Locks objects!
5860 */
5861HRESULT Machine::fixupHardDisks (bool aCommit)
5862{
5863 AutoCaller autoCaller (this);
5864 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
5865
5866 AutoLock alock (this);
5867
5868 /* no attac/detach operations -- nothing to do */
5869 if (!mHDData.isBackedUp())
5870 {
5871 mHDData->mHDAttachmentsChanged = false;
5872 return S_OK;
5873 }
5874
5875 AssertReturn (mData->mRegistered, E_FAIL);
5876
5877 if (aCommit)
5878 {
5879 /*
5880 * changes are being committed,
5881 * perform actual diff image creation, deletion etc.
5882 */
5883
5884 /* take a copy of backed up attachments (will modify it) */
5885 HDData::HDAttachmentList backedUp = mHDData.backedUpData()->mHDAttachments;
5886 /* list of new diffs created */
5887 std::list <ComObjPtr <HardDisk> > newDiffs;
5888
5889 HRESULT rc = S_OK;
5890
5891 /* go through current attachments */
5892 for (HDData::HDAttachmentList::const_iterator
5893 it = mHDData->mHDAttachments.begin();
5894 it != mHDData->mHDAttachments.end();
5895 ++ it)
5896 {
5897 ComObjPtr <HardDiskAttachment> hda = *it;
5898 ComObjPtr <HardDisk> hd = hda->hardDisk();
5899 AutoLock hdLock (hd);
5900
5901 if (!hda->isDirty())
5902 {
5903 /*
5904 * not dirty, therefore was either attached before backing up
5905 * or doesn't need any fixup (already fixed up); try to locate
5906 * this hard disk among backed up attachments and remove from
5907 * there to prevent it from being deassociated/deleted
5908 */
5909 HDData::HDAttachmentList::iterator oldIt;
5910 for (oldIt = backedUp.begin(); oldIt != backedUp.end(); ++ oldIt)
5911 if ((*oldIt)->hardDisk().equalsTo (hd))
5912 break;
5913 if (oldIt != backedUp.end())
5914 {
5915 /* remove from there */
5916 backedUp.erase (oldIt);
5917 // LogTraceMsg (("FC: %ls found in old\n", hd->toString().raw()));
5918 }
5919 }
5920 else
5921 {
5922 /* dirty, determine what to do */
5923
5924 bool needDiff = false;
5925 bool searchAmongSnapshots = false;
5926
5927 switch (hd->type())
5928 {
5929 case HardDiskType_ImmutableHardDisk:
5930 {
5931 /* decrease readers increased in AttachHardDisk() */
5932 hd->releaseReader();
5933 // LogTraceMsg (("FC: %ls released\n", hd->toString().raw()));
5934 /* indicate we need a diff (indirect attachment) */
5935 needDiff = true;
5936 break;
5937 }
5938 case HardDiskType_WritethroughHardDisk:
5939 {
5940 /* reset the dirty flag */
5941 hda->updateHardDisk (hd, false /* aDirty */);
5942 // LogTraceMsg (("FC: %ls updated\n", hd->toString().raw()));
5943 break;
5944 }
5945 case HardDiskType_NormalHardDisk:
5946 {
5947 if (hd->snapshotId().isEmpty())
5948 {
5949 /* reset the dirty flag */
5950 hda->updateHardDisk (hd, false /* aDirty */);
5951 // LogTraceMsg (("FC: %ls updated\n", hd->toString().raw()));
5952 }
5953 else
5954 {
5955 /* decrease readers increased in AttachHardDisk() */
5956 hd->releaseReader();
5957 // LogTraceMsg (("FC: %ls released\n", hd->toString().raw()));
5958 /* indicate we need a diff (indirect attachment) */
5959 needDiff = true;
5960 /* search for the most recent base among snapshots */
5961 searchAmongSnapshots = true;
5962 }
5963 break;
5964 }
5965 }
5966
5967 if (!needDiff)
5968 continue;
5969
5970 bool createDiff = false;
5971
5972 /*
5973 * see whether any previously attached hard disk has the
5974 * the currently attached one (Normal or Independent) as
5975 * the root
5976 */
5977
5978 HDData::HDAttachmentList::iterator foundIt = backedUp.end();
5979
5980 for (HDData::HDAttachmentList::iterator it = backedUp.begin();
5981 it != backedUp.end();
5982 ++ it)
5983 {
5984 if ((*it)->hardDisk()->root().equalsTo (hd))
5985 {
5986 /*
5987 * matched dev and ctl (i.e. attached to the same place)
5988 * will win and immediately stop the search; otherwise
5989 * the first attachment that matched the hd only will
5990 * be used
5991 */
5992 if ((*it)->deviceNumber() == hda->deviceNumber() &&
5993 (*it)->controller() == hda->controller())
5994 {
5995 foundIt = it;
5996 break;
5997 }
5998 else
5999 if (foundIt == backedUp.end())
6000 {
6001 /*
6002 * not an exact match; ensure there is no exact match
6003 * among other current attachments referring the same
6004 * root (to prevent this attachmend from reusing the
6005 * hard disk of the other attachment that will later
6006 * give the exact match or already gave it before)
6007 */
6008 bool canReuse = true;
6009 for (HDData::HDAttachmentList::const_iterator
6010 it2 = mHDData->mHDAttachments.begin();
6011 it2 != mHDData->mHDAttachments.end();
6012 ++ it2)
6013 {
6014 if ((*it2)->deviceNumber() == (*it)->deviceNumber() &&
6015 (*it2)->controller() == (*it)->controller() &&
6016 (*it2)->hardDisk()->root().equalsTo (hd))
6017 {
6018 /*
6019 * the exact match, either non-dirty or dirty
6020 * one refers the same root: in both cases
6021 * we cannot reuse the hard disk, so break
6022 */
6023 canReuse = false;
6024 break;
6025 }
6026 }
6027
6028 if (canReuse)
6029 foundIt = it;
6030 }
6031 }
6032 }
6033
6034 if (foundIt != backedUp.end())
6035 {
6036 /* found either one or another, reuse the diff */
6037 hda->updateHardDisk ((*foundIt)->hardDisk(),
6038 false /* aDirty */);
6039 // LogTraceMsg (("FC: %ls reused as %ls\n", hd->toString().raw(),
6040 // (*foundIt)->hardDisk()->toString().raw()));
6041 /* remove from there */
6042 backedUp.erase (foundIt);
6043 }
6044 else
6045 {
6046 /* was not attached, need a diff */
6047 createDiff = true;
6048 }
6049
6050 if (!createDiff)
6051 continue;
6052
6053 ComObjPtr <HardDisk> baseHd = hd;
6054
6055 if (searchAmongSnapshots)
6056 {
6057 /*
6058 * find the most recent diff based on the currently
6059 * attached root (Normal hard disk) among snapshots
6060 */
6061
6062 ComObjPtr <Snapshot> snap = mData->mCurrentSnapshot;
6063
6064 while (snap)
6065 {
6066 AutoLock snapLock (snap);
6067
6068 const HDData::HDAttachmentList &snapAtts =
6069 snap->data().mMachine->hdData()->mHDAttachments;
6070
6071 HDData::HDAttachmentList::const_iterator foundIt = snapAtts.end();
6072
6073 for (HDData::HDAttachmentList::const_iterator
6074 it = snapAtts.begin(); it != snapAtts.end(); ++ it)
6075 {
6076 if ((*it)->hardDisk()->root().equalsTo (hd))
6077 {
6078 /*
6079 * matched dev and ctl (i.e. attached to the same place)
6080 * will win and immediately stop the search; otherwise
6081 * the first attachment that matched the hd only will
6082 * be used
6083 */
6084 if ((*it)->deviceNumber() == hda->deviceNumber() &&
6085 (*it)->controller() == hda->controller())
6086 {
6087 foundIt = it;
6088 break;
6089 }
6090 else
6091 if (foundIt == snapAtts.end())
6092 foundIt = it;
6093 }
6094 }
6095
6096 if (foundIt != snapAtts.end())
6097 {
6098 /* the most recent diff has been found, use as a base */
6099 baseHd = (*foundIt)->hardDisk();
6100 // LogTraceMsg (("FC: %ls: recent found %ls\n",
6101 // hd->toString().raw(), baseHd->toString().raw()));
6102 break;
6103 }
6104
6105 snap = snap->parent();
6106 }
6107 }
6108
6109 /* create a new diff for the hard disk being indirectly attached */
6110
6111 AutoLock baseHdLock (baseHd);
6112 baseHd->addReader();
6113
6114 ComObjPtr <HVirtualDiskImage> vdi;
6115 rc = baseHd->createDiffHardDisk (mUserData->mSnapshotFolderFull,
6116 mData->mUuid, vdi, NULL);
6117 baseHd->releaseReader();
6118 CheckComRCBreakRC (rc);
6119
6120 newDiffs.push_back (ComObjPtr <HardDisk> (vdi));
6121
6122 /* update the attachment and reset the dirty flag */
6123 hda->updateHardDisk (ComObjPtr <HardDisk> (vdi),
6124 false /* aDirty */);
6125 // LogTraceMsg (("FC: %ls: diff created %ls\n",
6126 // baseHd->toString().raw(), vdi->toString().raw()));
6127 }
6128 }
6129
6130 if (FAILED (rc))
6131 {
6132 /* delete diffs we created */
6133 for (std::list <ComObjPtr <HardDisk> >::const_iterator
6134 it = newDiffs.begin(); it != newDiffs.end(); ++ it)
6135 {
6136 /*
6137 * unregisterDiffHardDisk() is supposed to delete and uninit
6138 * the differencing hard disk
6139 */
6140 mParent->unregisterDiffHardDisk (*it);
6141 /* too bad if we fail here, but nothing to do, just continue */
6142 }
6143
6144 /* the best is to rollback the changes... */
6145 mHDData.rollback();
6146 mHDData->mHDAttachmentsChanged = false;
6147 // LogTraceMsg (("FC: ROLLED BACK\n"));
6148 return rc;
6149 }
6150
6151 /*
6152 * go through the rest of old attachments and delete diffs
6153 * or deassociate hard disks from machines (they will become detached)
6154 */
6155 for (HDData::HDAttachmentList::iterator
6156 it = backedUp.begin(); it != backedUp.end(); ++ it)
6157 {
6158 ComObjPtr <HardDiskAttachment> hda = *it;
6159 ComObjPtr <HardDisk> hd = hda->hardDisk();
6160 AutoLock hdLock (hd);
6161
6162 if (hd->isDifferencing())
6163 {
6164 /*
6165 * unregisterDiffHardDisk() is supposed to delete and uninit
6166 * the differencing hard disk
6167 */
6168 // LogTraceMsg (("FC: %ls diff deleted\n", hd->toString().raw()));
6169 rc = mParent->unregisterDiffHardDisk (hd);
6170 /*
6171 * too bad if we fail here, but nothing to do, just continue
6172 * (the last rc will be returned to the caller though)
6173 */
6174 }
6175 else
6176 {
6177 /* deassociate from this machine */
6178 // LogTraceMsg (("FC: %ls deassociated\n", hd->toString().raw()));
6179 hd->setMachineId (Guid());
6180 }
6181 }
6182
6183 /* commit all the changes */
6184 mHDData->mHDAttachmentsChanged = mHDData.hasActualChanges();
6185 mHDData.commit();
6186 // LogTraceMsg (("FC: COMMITTED\n"));
6187
6188 return rc;
6189 }
6190
6191 /*
6192 * changes are being rolled back,
6193 * go trhough all current attachments and fix up dirty ones
6194 * the way it is done in DetachHardDisk()
6195 */
6196
6197 for (HDData::HDAttachmentList::iterator it = mHDData->mHDAttachments.begin();
6198 it != mHDData->mHDAttachments.end();
6199 ++ it)
6200 {
6201 ComObjPtr <HardDiskAttachment> hda = *it;
6202 ComObjPtr <HardDisk> hd = hda->hardDisk();
6203 AutoLock hdLock (hd);
6204
6205 if (hda->isDirty())
6206 {
6207 switch (hd->type())
6208 {
6209 case HardDiskType_ImmutableHardDisk:
6210 {
6211 /* decrease readers increased in AttachHardDisk() */
6212 hd->releaseReader();
6213 // LogTraceMsg (("FR: %ls released\n", hd->toString().raw()));
6214 break;
6215 }
6216 case HardDiskType_WritethroughHardDisk:
6217 {
6218 /* deassociate from this machine */
6219 hd->setMachineId (Guid());
6220 // LogTraceMsg (("FR: %ls deassociated\n", hd->toString().raw()));
6221 break;
6222 }
6223 case HardDiskType_NormalHardDisk:
6224 {
6225 if (hd->snapshotId().isEmpty())
6226 {
6227 /* deassociate from this machine */
6228 hd->setMachineId (Guid());
6229 // LogTraceMsg (("FR: %ls deassociated\n", hd->toString().raw()));
6230 }
6231 else
6232 {
6233 /* decrease readers increased in AttachHardDisk() */
6234 hd->releaseReader();
6235 // LogTraceMsg (("FR: %ls released\n", hd->toString().raw()));
6236 }
6237
6238 break;
6239 }
6240 }
6241 }
6242 }
6243
6244 /* rollback all the changes */
6245 mHDData.rollback();
6246 // LogTraceMsg (("FR: ROLLED BACK\n"));
6247
6248 return S_OK;
6249}
6250
6251/**
6252 * Creates differencing hard disks for all normal hard disks
6253 * and replaces attachments to refer to created disks.
6254 * Used when taking a snapshot or when discarding the current state.
6255 *
6256 * @param aSnapshotId ID of the snapshot being taken
6257 * or NULL if the current state is being discarded
6258 * @param aFolder folder where to create diff. hard disks
6259 * @param aProgress progress object to run (must contain at least as
6260 * many operations left as the number of VDIs attached)
6261 * @param aOnline whether the machine is online (i.e., when the EMT
6262 * thread is paused, OR when current hard disks are
6263 * marked as busy for some other reason)
6264 *
6265 * @note
6266 * The progress object is not marked as completed, neither on success
6267 * nor on failure. This is a responsibility of the caller.
6268 *
6269 * @note Locks mParent + this object for writing
6270 */
6271HRESULT Machine::createSnapshotDiffs (const Guid *aSnapshotId,
6272 const Bstr &aFolder,
6273 const ComObjPtr <Progress> &aProgress,
6274 bool aOnline)
6275{
6276 AssertReturn (!aFolder.isEmpty(), E_FAIL);
6277
6278 AutoCaller autoCaller (this);
6279 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
6280
6281 /* accessing mParent methods below needs mParent lock */
6282 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
6283
6284 HRESULT rc = S_OK;
6285
6286 // first pass: check accessibility before performing changes
6287 if (!aOnline)
6288 {
6289 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
6290 it != mHDData->mHDAttachments.end();
6291 ++ it)
6292 {
6293 ComObjPtr <HardDiskAttachment> hda = *it;
6294 ComObjPtr <HardDisk> hd = hda->hardDisk();
6295 AutoLock hdLock (hd);
6296
6297 ComAssertMsgBreak (hd->type() == HardDiskType_NormalHardDisk,
6298 ("Invalid hard disk type %d\n", hd->type()),
6299 rc = E_FAIL);
6300
6301 ComAssertMsgBreak (!hd->isParentImmutable() ||
6302 hd->storageType() == HardDiskStorageType_VirtualDiskImage,
6303 ("Invalid hard disk storage type %d\n", hd->storageType()),
6304 rc = E_FAIL);
6305
6306 Bstr accessError;
6307 rc = hd->getAccessible (accessError);
6308 CheckComRCBreakRC (rc);
6309
6310 if (!accessError.isNull())
6311 {
6312 rc = setError (E_FAIL,
6313 tr ("Hard disk '%ls' is not accessible (%ls)"),
6314 hd->toString().raw(), accessError.raw());
6315 break;
6316 }
6317 }
6318 CheckComRCReturnRC (rc);
6319 }
6320
6321 HDData::HDAttachmentList attachments;
6322
6323 // second pass: perform changes
6324 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
6325 it != mHDData->mHDAttachments.end();
6326 ++ it)
6327 {
6328 ComObjPtr <HardDiskAttachment> hda = *it;
6329 ComObjPtr <HardDisk> hd = hda->hardDisk();
6330 AutoLock hdLock (hd);
6331
6332 ComObjPtr <HardDisk> parent = hd->parent();
6333 AutoLock parentHdLock (parent);
6334
6335 ComObjPtr <HardDisk> newHd;
6336
6337 // clear busy flag if the VM is online
6338 if (aOnline)
6339 hd->clearBusy();
6340 // increase readers
6341 hd->addReader();
6342
6343 if (hd->isParentImmutable())
6344 {
6345 aProgress->advanceOperation (Bstr (Utf8StrFmt (
6346 tr ("Preserving immutable hard disk '%ls'"),
6347 parent->toString (true /* aShort */).raw())));
6348
6349 parentHdLock.unlock();
6350 alock.leave();
6351
6352 // create a copy of the independent diff
6353 ComObjPtr <HVirtualDiskImage> vdi;
6354 rc = hd->asVDI()->cloneDiffImage (aFolder, mData->mUuid, vdi,
6355 aProgress);
6356 newHd = vdi;
6357
6358 alock.enter();
6359 parentHdLock.lock();
6360
6361 // decrease readers (hd is no more used for reading in any case)
6362 hd->releaseReader();
6363 }
6364 else
6365 {
6366 // checked in the first pass
6367 Assert (hd->type() == HardDiskType_NormalHardDisk);
6368
6369 aProgress->advanceOperation (Bstr (Utf8StrFmt (
6370 tr ("Creating a differencing hard disk for '%ls'"),
6371 hd->root()->toString (true /* aShort */).raw())));
6372
6373 parentHdLock.unlock();
6374 alock.leave();
6375
6376 // create a new diff for the image being attached
6377 ComObjPtr <HVirtualDiskImage> vdi;
6378 rc = hd->createDiffHardDisk (aFolder, mData->mUuid, vdi, aProgress);
6379 newHd = vdi;
6380
6381 alock.enter();
6382 parentHdLock.lock();
6383
6384 if (SUCCEEDED (rc))
6385 {
6386 // if online, hd must keep a reader referece
6387 if (!aOnline)
6388 hd->releaseReader();
6389 }
6390 else
6391 {
6392 // decrease readers
6393 hd->releaseReader();
6394 }
6395 }
6396
6397 if (SUCCEEDED (rc))
6398 {
6399 ComObjPtr <HardDiskAttachment> newHda;
6400 newHda.createObject();
6401 rc = newHda->init (newHd, hda->controller(), hda->deviceNumber(),
6402 false /* aDirty */);
6403
6404 if (SUCCEEDED (rc))
6405 {
6406 // associate the snapshot id with the old hard disk
6407 if (hd->type() != HardDiskType_WritethroughHardDisk && aSnapshotId)
6408 hd->setSnapshotId (*aSnapshotId);
6409
6410 // add the new attachment
6411 attachments.push_back (newHda);
6412
6413 // if online, newHd must be marked as busy
6414 if (aOnline)
6415 newHd->setBusy();
6416 }
6417 }
6418
6419 if (FAILED (rc))
6420 {
6421 // set busy flag back if the VM is online
6422 if (aOnline)
6423 hd->setBusy();
6424 break;
6425 }
6426 }
6427
6428 if (SUCCEEDED (rc))
6429 {
6430 // replace the whole list of attachments with the new one
6431 mHDData->mHDAttachments = attachments;
6432 }
6433 else
6434 {
6435 // delete those diffs we've just created
6436 for (HDData::HDAttachmentList::const_iterator it = attachments.begin();
6437 it != attachments.end();
6438 ++ it)
6439 {
6440 ComObjPtr <HardDisk> hd = (*it)->hardDisk();
6441 AutoLock hdLock (hd);
6442 Assert (hd->children().size() == 0);
6443 Assert (hd->isDifferencing());
6444 // unregisterDiffHardDisk() is supposed to delete and uninit
6445 // the differencing hard disk
6446 mParent->unregisterDiffHardDisk (hd);
6447 }
6448 }
6449
6450 return rc;
6451}
6452
6453/**
6454 * Deletes differencing hard disks created by createSnapshotDiffs() in case
6455 * if snapshot creation was failed.
6456 *
6457 * @param aSnapshot failed snapshot
6458 *
6459 * @note Locks mParent + this object for writing.
6460 */
6461HRESULT Machine::deleteSnapshotDiffs (const ComObjPtr <Snapshot> &aSnapshot)
6462{
6463 AssertReturn (!aSnapshot.isNull(), E_FAIL);
6464
6465 AutoCaller autoCaller (this);
6466 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
6467
6468 /* accessing mParent methods below needs mParent lock */
6469 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
6470
6471 /* short cut: check whether attachments are all the same */
6472 if (mHDData->mHDAttachments == aSnapshot->data().mMachine->mHDData->mHDAttachments)
6473 return S_OK;
6474
6475 HRESULT rc = S_OK;
6476
6477 for (HDData::HDAttachmentList::const_iterator it = mHDData->mHDAttachments.begin();
6478 it != mHDData->mHDAttachments.end();
6479 ++ it)
6480 {
6481 ComObjPtr <HardDiskAttachment> hda = *it;
6482 ComObjPtr <HardDisk> hd = hda->hardDisk();
6483 AutoLock hdLock (hd);
6484
6485 ComObjPtr <HardDisk> parent = hd->parent();
6486 AutoLock parentHdLock (parent);
6487
6488 if (!parent || parent->snapshotId() != aSnapshot->data().mId)
6489 continue;
6490
6491 /* must not have children */
6492 ComAssertRet (hd->children().size() == 0, E_FAIL);
6493
6494 /* deassociate the old hard disk from the given snapshot's ID */
6495 parent->setSnapshotId (Guid());
6496
6497 /* unregisterDiffHardDisk() is supposed to delete and uninit
6498 * the differencing hard disk */
6499 rc = mParent->unregisterDiffHardDisk (hd);
6500 /* continue on error */
6501 }
6502
6503 /* restore the whole list of attachments from the failed snapshot */
6504 mHDData->mHDAttachments = aSnapshot->data().mMachine->mHDData->mHDAttachments;
6505
6506 return rc;
6507}
6508
6509/**
6510 * Helper to lock the machine configuration for write access.
6511 *
6512 * @return S_OK or E_FAIL and sets error info on failure
6513 *
6514 * @note Doesn't lock anything (must be called from this object's lock)
6515 */
6516HRESULT Machine::lockConfig()
6517{
6518 HRESULT rc = S_OK;
6519
6520 if (!isConfigLocked())
6521 {
6522 /* open the associated config file */
6523 int vrc = RTFileOpen (&mData->mHandleCfgFile,
6524 Utf8Str (mData->mConfigFileFull),
6525 RTFILE_O_READWRITE | RTFILE_O_OPEN |
6526 RTFILE_O_DENY_WRITE);
6527 if (VBOX_FAILURE (vrc))
6528 mData->mHandleCfgFile = NIL_RTFILE;
6529 }
6530
6531 LogFlowThisFunc (("mConfigFile={%ls}, mHandleCfgFile=%d, rc=%08X\n",
6532 mData->mConfigFileFull.raw(), mData->mHandleCfgFile, rc));
6533 return rc;
6534}
6535
6536/**
6537 * Helper to unlock the machine configuration from write access
6538 *
6539 * @return S_OK
6540 *
6541 * @note Doesn't lock anything.
6542 * @note Not thread safe (must be called from this object's lock).
6543 */
6544HRESULT Machine::unlockConfig()
6545{
6546 HRESULT rc = S_OK;
6547
6548 if (isConfigLocked())
6549 {
6550 RTFileClose(mData->mHandleCfgFile);
6551 mData->mHandleCfgFile = NIL_RTFILE;
6552 }
6553
6554 LogFlowThisFunc (("\n"));
6555
6556 return rc;
6557}
6558
6559/**
6560 * Returns true if the settings file is located in the directory named exactly
6561 * as the machine. This will be true if the machine settings structure was
6562 * created by default in #openConfigLoader().
6563 *
6564 * @param aSettingsDir if not NULL, the full machine settings file directory
6565 * name will be assigned there.
6566 *
6567 * @note Doesn't lock anything.
6568 * @note Not thread safe (must be called from this object's lock).
6569 */
6570bool Machine::isInOwnDir (Utf8Str *aSettingsDir /* = NULL */)
6571{
6572 Utf8Str settingsDir = mData->mConfigFileFull;
6573 RTPathStripFilename (settingsDir.mutableRaw());
6574 char *dirName = RTPathFilename (settingsDir);
6575
6576 AssertReturn (dirName, false);
6577
6578 /* if we don't rename anything on name change, return false shorlty */
6579 if (!mUserData->mNameSync)
6580 return false;
6581
6582 if (aSettingsDir)
6583 *aSettingsDir = settingsDir;
6584
6585 return Bstr (dirName) == mUserData->mName;
6586}
6587
6588/**
6589 * @note Locks objects for reading!
6590 */
6591bool Machine::isModified()
6592{
6593 AutoCaller autoCaller (this);
6594 AssertComRCReturn (autoCaller.rc(), false);
6595
6596 AutoReaderLock alock (this);
6597
6598 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6599 if (mNetworkAdapters [slot] && mNetworkAdapters [slot]->isModified())
6600 return true;
6601
6602 return
6603 mUserData.isBackedUp() ||
6604 mHWData.isBackedUp() ||
6605 mHDData.isBackedUp() ||
6606#ifdef VBOX_VRDP
6607 (mVRDPServer && mVRDPServer->isModified()) ||
6608#endif
6609 (mDVDDrive && mDVDDrive->isModified()) ||
6610 (mFloppyDrive && mFloppyDrive->isModified()) ||
6611 (mAudioAdapter && mAudioAdapter->isModified()) ||
6612 (mUSBController && mUSBController->isModified()) ||
6613 (mBIOSSettings && mBIOSSettings->isModified());
6614}
6615
6616/**
6617 * @note This method doesn't check (ignores) actual changes to mHDData.
6618 * Use mHDData.mHDAttachmentsChanged right after #commit() instead.
6619 *
6620 * @param aIgnoreUserData |true| to ignore changes to mUserData
6621 *
6622 * @note Locks objects for reading!
6623 */
6624bool Machine::isReallyModified (bool aIgnoreUserData /* = false */)
6625{
6626 AutoCaller autoCaller (this);
6627 AssertComRCReturn (autoCaller.rc(), false);
6628
6629 AutoReaderLock alock (this);
6630
6631 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6632 if (mNetworkAdapters [slot] && mNetworkAdapters [slot]->isReallyModified())
6633 return true;
6634
6635 return
6636 (!aIgnoreUserData && mUserData.hasActualChanges()) ||
6637 mHWData.hasActualChanges() ||
6638 /* ignore mHDData */
6639 //mHDData.hasActualChanges() ||
6640#ifdef VBOX_VRDP
6641 (mVRDPServer && mVRDPServer->isReallyModified()) ||
6642#endif
6643 (mDVDDrive && mDVDDrive->isReallyModified()) ||
6644 (mFloppyDrive && mFloppyDrive->isReallyModified()) ||
6645 (mAudioAdapter && mAudioAdapter->isReallyModified()) ||
6646 (mUSBController && mUSBController->isReallyModified()) ||
6647 (mBIOSSettings && mBIOSSettings->isReallyModified());
6648}
6649
6650/**
6651 * Discards all changes to machine settings.
6652 *
6653 * @param aNotify whether to notify the direct session about changes or not
6654 *
6655 * @note Locks objects!
6656 */
6657void Machine::rollback (bool aNotify)
6658{
6659 AutoCaller autoCaller (this);
6660 AssertComRCReturn (autoCaller.rc(), (void) 0);
6661
6662 AutoLock alock (this);
6663
6664 mUserData.rollback();
6665
6666 mHWData.rollback();
6667
6668 if (mHDData.isBackedUp())
6669 fixupHardDisks (false /* aCommit */);
6670
6671 bool vrdpChanged = false, dvdChanged = false, floppyChanged = false,
6672 usbChanged = false;
6673 ComPtr <INetworkAdapter> networkAdapters [ELEMENTS (mNetworkAdapters)];
6674
6675 if (mBIOSSettings)
6676 mBIOSSettings->rollback();
6677
6678#ifdef VBOX_VRDP
6679 if (mVRDPServer)
6680 vrdpChanged = mVRDPServer->rollback();
6681#endif
6682
6683 if (mDVDDrive)
6684 dvdChanged = mDVDDrive->rollback();
6685
6686 if (mFloppyDrive)
6687 floppyChanged = mFloppyDrive->rollback();
6688
6689 if (mAudioAdapter)
6690 mAudioAdapter->rollback();
6691
6692 if (mUSBController)
6693 usbChanged = mUSBController->rollback();
6694
6695 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6696 if (mNetworkAdapters [slot])
6697 if (mNetworkAdapters [slot]->rollback())
6698 networkAdapters [slot] = mNetworkAdapters [slot];
6699
6700 if (aNotify)
6701 {
6702 // inform the direct session about changes
6703
6704 ComObjPtr <Machine> that = this;
6705 alock.leave();
6706
6707 if (vrdpChanged)
6708 that->onVRDPServerChange();
6709 if (dvdChanged)
6710 that->onDVDDriveChange();
6711 if (floppyChanged)
6712 that->onFloppyDriveChange();
6713 if (usbChanged)
6714 that->onUSBControllerChange();
6715 for (ULONG slot = 0; slot < ELEMENTS (networkAdapters); slot ++)
6716 if (networkAdapters [slot])
6717 that->onNetworkAdapterChange (networkAdapters [slot]);
6718 }
6719}
6720
6721/**
6722 * Commits all the changes to machine settings.
6723 *
6724 * Note that when committing fails at some stage, it still continues
6725 * until the end. So, all data will either be actually committed or rolled
6726 * back (for failed cases) and the returned result code will describe the
6727 * first failure encountered. However, #isModified() will still return true
6728 * in case of failure, to indicade that settings in memory and on disk are
6729 * out of sync.
6730 *
6731 * @note Locks objects!
6732 */
6733HRESULT Machine::commit()
6734{
6735 AutoCaller autoCaller (this);
6736 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
6737
6738 AutoLock alock (this);
6739
6740 HRESULT rc = S_OK;
6741
6742 /*
6743 * use safe commit to ensure Snapshot machines (that share mUserData)
6744 * will still refer to a valid memory location
6745 */
6746 mUserData.commitCopy();
6747
6748 mHWData.commit();
6749
6750 if (mHDData.isBackedUp())
6751 rc = fixupHardDisks (true /* aCommit */);
6752
6753 mBIOSSettings->commit();
6754#ifdef VBOX_VRDP
6755 mVRDPServer->commit();
6756#endif
6757 mDVDDrive->commit();
6758 mFloppyDrive->commit();
6759 mAudioAdapter->commit();
6760 mUSBController->commit();
6761
6762 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6763 mNetworkAdapters [slot]->commit();
6764
6765 if (mType == IsSessionMachine)
6766 {
6767 /* attach new data to the primary machine and reshare it */
6768 mPeer->mUserData.attach (mUserData);
6769 mPeer->mHWData.attach (mHWData);
6770 mPeer->mHDData.attach (mHDData);
6771 }
6772
6773 if (FAILED (rc))
6774 {
6775 /*
6776 * backup arbitrary data item to cause #isModified() to still return
6777 * true in case of any error
6778 */
6779 mHWData.backup();
6780 }
6781
6782 return rc;
6783}
6784
6785/**
6786 * Copies all the hardware data from the given machine.
6787 *
6788 * @note
6789 * This method must be called from under this object's lock.
6790 * @note
6791 * This method doesn't call #commit(), so all data remains backed up
6792 * and unsaved.
6793 */
6794void Machine::copyFrom (Machine *aThat)
6795{
6796 AssertReturn (mType == IsMachine || mType == IsSessionMachine, (void) 0);
6797 AssertReturn (aThat->mType == IsSnapshotMachine, (void) 0);
6798
6799 mHWData.assignCopy (aThat->mHWData);
6800
6801 // create copies of all shared folders (mHWData after attiching a copy
6802 // contains just references to original objects)
6803 for (HWData::SharedFolderList::iterator it = mHWData->mSharedFolders.begin();
6804 it != mHWData->mSharedFolders.end();
6805 ++ it)
6806 {
6807 ComObjPtr <SharedFolder> folder;
6808 folder.createObject();
6809 HRESULT rc = folder->initCopy (machine(), *it);
6810 AssertComRC (rc);
6811 *it = folder;
6812 }
6813
6814 mBIOSSettings->copyFrom (aThat->mBIOSSettings);
6815#ifdef VBOX_VRDP
6816 mVRDPServer->copyFrom (aThat->mVRDPServer);
6817#endif
6818 mDVDDrive->copyFrom (aThat->mDVDDrive);
6819 mFloppyDrive->copyFrom (aThat->mFloppyDrive);
6820 mAudioAdapter->copyFrom (aThat->mAudioAdapter);
6821 mUSBController->copyFrom (aThat->mUSBController);
6822
6823 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6824 mNetworkAdapters [slot]->copyFrom (aThat->mNetworkAdapters [slot]);
6825}
6826
6827/////////////////////////////////////////////////////////////////////////////
6828// SessionMachine class
6829/////////////////////////////////////////////////////////////////////////////
6830
6831/** Task structure for asynchronous VM operations */
6832struct SessionMachine::Task
6833{
6834 Task (SessionMachine *m, Progress *p)
6835 : machine (m), progress (p)
6836 , state (m->data()->mMachineState) // save the current machine state
6837 , subTask (false), settingsChanged (false)
6838 {}
6839
6840 void modifyLastState (MachineState_T s)
6841 {
6842 *const_cast <MachineState_T *> (&state) = s;
6843 }
6844
6845 virtual void handler() = 0;
6846
6847 const ComObjPtr <SessionMachine> machine;
6848 const ComObjPtr <Progress> progress;
6849 const MachineState_T state;
6850
6851 bool subTask : 1;
6852 bool settingsChanged : 1;
6853};
6854
6855/** Take snapshot task */
6856struct SessionMachine::TakeSnapshotTask : public SessionMachine::Task
6857{
6858 TakeSnapshotTask (SessionMachine *m)
6859 : Task (m, NULL) {}
6860
6861 void handler() { machine->takeSnapshotHandler (*this); }
6862};
6863
6864/** Discard snapshot task */
6865struct SessionMachine::DiscardSnapshotTask : public SessionMachine::Task
6866{
6867 DiscardSnapshotTask (SessionMachine *m, Progress *p, Snapshot *s)
6868 : Task (m, p)
6869 , snapshot (s) {}
6870
6871 DiscardSnapshotTask (const Task &task, Snapshot *s)
6872 : Task (task)
6873 , snapshot (s) {}
6874
6875 void handler() { machine->discardSnapshotHandler (*this); }
6876
6877 const ComObjPtr <Snapshot> snapshot;
6878};
6879
6880/** Discard current state task */
6881struct SessionMachine::DiscardCurrentStateTask : public SessionMachine::Task
6882{
6883 DiscardCurrentStateTask (SessionMachine *m, Progress *p,
6884 bool discardCurSnapshot)
6885 : Task (m, p), discardCurrentSnapshot (discardCurSnapshot) {}
6886
6887 void handler() { machine->discardCurrentStateHandler (*this); }
6888
6889 const bool discardCurrentSnapshot;
6890};
6891
6892////////////////////////////////////////////////////////////////////////////////
6893
6894DEFINE_EMPTY_CTOR_DTOR (SessionMachine)
6895
6896HRESULT SessionMachine::FinalConstruct()
6897{
6898 LogFlowThisFunc (("\n"));
6899
6900 /* set the proper type to indicate we're the SessionMachine instance */
6901 unconst (mType) = IsSessionMachine;
6902
6903#if defined(__WIN__)
6904 mIPCSem = NULL;
6905#elif defined(__LINUX__)
6906 mIPCSem = -1;
6907#endif
6908
6909 return S_OK;
6910}
6911
6912void SessionMachine::FinalRelease()
6913{
6914 LogFlowThisFunc (("\n"));
6915
6916 uninit (Uninit::Unexpected);
6917}
6918
6919/**
6920 * @note Must be called only by Machine::openSession() from its own write lock.
6921 */
6922HRESULT SessionMachine::init (Machine *aMachine)
6923{
6924 LogFlowThisFuncEnter();
6925 LogFlowThisFunc (("mName={%ls}\n", aMachine->mUserData->mName.raw()));
6926
6927 AssertReturn (aMachine, E_INVALIDARG);
6928
6929 AssertReturn (aMachine->lockHandle()->isLockedOnCurrentThread(), E_FAIL);
6930
6931 /* Enclose the state transition NotReady->InInit->Ready */
6932 AutoInitSpan autoInitSpan (this);
6933 AssertReturn (autoInitSpan.isOk(), E_UNEXPECTED);
6934
6935 /* create the interprocess semaphore */
6936#if defined(__WIN__)
6937 mIPCSemName = aMachine->mData->mConfigFileFull;
6938 for (size_t i = 0; i < mIPCSemName.length(); i++)
6939 if (mIPCSemName[i] == '\\')
6940 mIPCSemName[i] = '/';
6941 mIPCSem = ::CreateMutex (NULL, FALSE, mIPCSemName);
6942 ComAssertMsgRet (mIPCSem, ("Cannot create IPC mutex, err=0x%08X", ::GetLastError()),
6943 E_FAIL);
6944#elif defined(__LINUX__)
6945 Utf8Str configFile = aMachine->mData->mConfigFileFull;
6946 char *pszConfigFile = NULL;
6947 RTStrUtf8ToCurrentCP (&pszConfigFile, configFile);
6948 key_t key = ::ftok (pszConfigFile, 0);
6949 RTStrFree (pszConfigFile);
6950 mIPCSem = ::semget (key, 1, S_IRWXU | S_IRWXG | S_IRWXO | IPC_CREAT);
6951 ComAssertMsgRet (mIPCSem >= 0, ("Cannot create IPC semaphore, errno=%d", errno),
6952 E_FAIL);
6953 /* set the initial value to 1 */
6954 int rv = ::semctl (mIPCSem, 0, SETVAL, 1);
6955 ComAssertMsgRet (rv == 0, ("Cannot init IPC semaphore, errno=%d", errno),
6956 E_FAIL);
6957#endif
6958
6959 /* memorize the peer Machine */
6960 unconst (mPeer) = aMachine;
6961 /* share the parent pointer */
6962 unconst (mParent) = aMachine->mParent;
6963
6964 /* take the pointers to data to share */
6965 mData.share (aMachine->mData);
6966 mSSData.share (aMachine->mSSData);
6967
6968 mUserData.share (aMachine->mUserData);
6969 mHWData.share (aMachine->mHWData);
6970 mHDData.share (aMachine->mHDData);
6971
6972 unconst (mBIOSSettings).createObject();
6973 mBIOSSettings->init (this, aMachine->mBIOSSettings);
6974#ifdef VBOX_VRDP
6975 /* create another VRDPServer object that will be mutable */
6976 unconst (mVRDPServer).createObject();
6977 mVRDPServer->init (this, aMachine->mVRDPServer);
6978#endif
6979 /* create another DVD drive object that will be mutable */
6980 unconst (mDVDDrive).createObject();
6981 mDVDDrive->init (this, aMachine->mDVDDrive);
6982 /* create another floppy drive object that will be mutable */
6983 unconst (mFloppyDrive).createObject();
6984 mFloppyDrive->init (this, aMachine->mFloppyDrive);
6985 /* create another audio adapter object that will be mutable */
6986 unconst (mAudioAdapter).createObject();
6987 mAudioAdapter->init (this, aMachine->mAudioAdapter);
6988 /* create another USB controller object that will be mutable */
6989 unconst (mUSBController).createObject();
6990 mUSBController->init (this, aMachine->mUSBController);
6991 /* create a list of network adapters that will be mutable */
6992 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
6993 {
6994 unconst (mNetworkAdapters [slot]).createObject();
6995 mNetworkAdapters [slot]->init (this, aMachine->mNetworkAdapters [slot]);
6996 }
6997
6998 /* Confirm a successful initialization when it's the case */
6999 autoInitSpan.setSucceeded();
7000
7001 LogFlowThisFuncLeave();
7002 return S_OK;
7003}
7004
7005/**
7006 * Uninitializes this session object. If the reason is other than
7007 * Uninit::Unexpected, then this method MUST be called from #checkForDeath().
7008 *
7009 * @param aReason uninitialization reason
7010 *
7011 * @note Locks mParent + this object for writing.
7012 */
7013void SessionMachine::uninit (Uninit::Reason aReason)
7014{
7015 LogFlowThisFuncEnter();
7016 LogFlowThisFunc (("reason=%d\n", aReason));
7017
7018 /*
7019 * Strongly reference ourselves to prevent this object deletion after
7020 * mData->mSession.mMachine.setNull() below (which can release the last
7021 * reference and call the destructor). Important: this must be done before
7022 * accessing any members (and before AutoUninitSpan that does it as well).
7023 * This self reference will be released as the very last step on return.
7024 */
7025 ComObjPtr <SessionMachine> selfRef = this;
7026
7027 /* Enclose the state transition Ready->InUninit->NotReady */
7028 AutoUninitSpan autoUninitSpan (this);
7029 if (autoUninitSpan.uninitDone())
7030 {
7031 LogFlowThisFunc (("Already uninitialized\n"));
7032 LogFlowThisFuncLeave();
7033 return;
7034 }
7035
7036 if (autoUninitSpan.initFailed())
7037 {
7038 /*
7039 * We've been called by init() because it's failed. It's not really
7040 * necessary (nor it's safe) to perform the regular uninit sequence
7041 * below, the following is enough.
7042 */
7043 LogFlowThisFunc (("Initialization failed\n"));
7044#if defined(__WIN__)
7045 if (mIPCSem)
7046 ::CloseHandle (mIPCSem);
7047 mIPCSem = NULL;
7048#elif defined(__LINUX__)
7049 if (mIPCSem >= 0)
7050 ::semctl (mIPCSem, 0, IPC_RMID);
7051 mIPCSem = -1;
7052#endif
7053 uninitDataAndChildObjects();
7054 unconst (mParent).setNull();
7055 unconst (mPeer).setNull();
7056 LogFlowThisFuncLeave();
7057 return;
7058 }
7059
7060 /*
7061 * We need to lock this object in uninit() because the lock is shared
7062 * with mPeer (as well as data we modify below).
7063 * mParent->addProcessToReap() and others need mParent lock.
7064 */
7065 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7066
7067 if (isModified())
7068 {
7069 LogWarningThisFunc (("Discarding unsaved settings changes!\n"));
7070 rollback (false /* aNotify */);
7071 }
7072
7073 Assert (!mSnapshotData.mStateFilePath || !mSnapshotData.mSnapshot);
7074 if (mSnapshotData.mStateFilePath)
7075 {
7076 LogWarningThisFunc (("canceling failed save state request!\n"));
7077 endSavingState (FALSE /* aSuccess */);
7078 }
7079 else if (!!mSnapshotData.mSnapshot)
7080 {
7081 LogWarningThisFunc (("canceling untaken snapshot!\n"));
7082 endTakingSnapshot (FALSE /* aSuccess */);
7083 }
7084
7085 /* release all captured USB devices */
7086 mParent->host()->releaseAllUSBDevices (this);
7087
7088 if (mData->mSession.mPid != NIL_RTPROCESS)
7089 {
7090 /*
7091 * pid is not NIL, meaning this machine's process has been started
7092 * using VirtualBox::OpenRemoteSession(), thus it is our child.
7093 * we need to queue this pid to be reaped (to avoid zombies on Linux)
7094 */
7095 mParent->addProcessToReap (mData->mSession.mPid);
7096 mData->mSession.mPid = NIL_RTPROCESS;
7097 }
7098
7099 if (aReason == Uninit::Unexpected)
7100 {
7101 /*
7102 * uninitialization didn't come from #checkForDeath(), so tell the
7103 * client watcher thread to update the set of machines that have
7104 * open sessions.
7105 */
7106 mParent->updateClientWatcher();
7107 }
7108
7109 /* uninitialize all remote controls */
7110 if (mData->mSession.mRemoteControls.size())
7111 {
7112 LogFlowThisFunc (("Closing remote sessions (%d):\n",
7113 mData->mSession.mRemoteControls.size()));
7114
7115 Data::Session::RemoteControlList::iterator it =
7116 mData->mSession.mRemoteControls.begin();
7117 while (it != mData->mSession.mRemoteControls.end())
7118 {
7119 LogFlowThisFunc ((" Calling remoteControl->Uninitialize()...\n"));
7120 HRESULT rc = (*it)->Uninitialize();
7121 LogFlowThisFunc ((" remoteControl->Uninitialize() returned %08X\n", rc));
7122 if (FAILED (rc))
7123 LogWarningThisFunc (("Forgot to close the remote session?\n"));
7124 ++ it;
7125 }
7126 mData->mSession.mRemoteControls.clear();
7127 }
7128
7129 /*
7130 * An expected uninitialization can come only from #checkForDeath().
7131 * Otherwise it means that something's got really wrong (for examlple,
7132 * the Session implementation has released the VirtualBox reference
7133 * before it triggered #OnSessionEnd(), or before releasing IPC semaphore,
7134 * etc). However, it's also possible, that the client releases the IPC
7135 * semaphore correctly (i.e. before it releases the VirtualBox reference),
7136 * but but the VirtualBox release event comes first to the server process.
7137 * This case is practically possible, so we should not assert on an
7138 * unexpected uninit, just log a warning.
7139 */
7140
7141 if ((aReason == Uninit::Unexpected))
7142 LogWarningThisFunc (("Unexpected SessionMachine uninitialization!\n"));
7143
7144 if (aReason != Uninit::Normal)
7145 mData->mSession.mDirectControl.setNull();
7146 else
7147 {
7148 /* this must be null here (see #OnSessionEnd()) */
7149 Assert (mData->mSession.mDirectControl.isNull());
7150 Assert (mData->mSession.mState == SessionState_SessionClosing);
7151 Assert (!mData->mSession.mProgress.isNull());
7152
7153 mData->mSession.mProgress->notifyComplete (S_OK);
7154 mData->mSession.mProgress.setNull();
7155 }
7156
7157 /* remove the association between the peer machine and this session machine */
7158 Assert (mData->mSession.mMachine == this ||
7159 aReason == Uninit::Unexpected);
7160
7161 /* reset the rest of session data */
7162 mData->mSession.mMachine.setNull();
7163 mData->mSession.mState = SessionState_SessionClosed;
7164
7165 /* close the interprocess semaphore before leaving the shared lock */
7166#if defined(__WIN__)
7167 if (mIPCSem)
7168 ::CloseHandle (mIPCSem);
7169 mIPCSem = NULL;
7170#elif defined(__LINUX__)
7171 if (mIPCSem >= 0)
7172 ::semctl (mIPCSem, 0, IPC_RMID);
7173 mIPCSem = -1;
7174#endif
7175
7176 /* fire an event */
7177 mParent->onSessionStateChange (mData->mUuid, SessionState_SessionClosed);
7178
7179 uninitDataAndChildObjects();
7180
7181 /* leave the shared lock before setting the above two to NULL */
7182 alock.leave();
7183
7184 unconst (mParent).setNull();
7185 unconst (mPeer).setNull();
7186
7187 LogFlowThisFuncLeave();
7188}
7189
7190// AutoLock::Lockable interface
7191////////////////////////////////////////////////////////////////////////////////
7192
7193/**
7194 * Overrides VirtualBoxBase::lockHandle() in order to share the lock handle
7195 * with the primary Machine instance (mPeer).
7196 */
7197AutoLock::Handle *SessionMachine::lockHandle() const
7198{
7199 AssertReturn (!mPeer.isNull(), NULL);
7200 return mPeer->lockHandle();
7201}
7202
7203// IInternalMachineControl methods
7204////////////////////////////////////////////////////////////////////////////////
7205
7206/**
7207 * @note Locks the same as #setMachineState() does.
7208 */
7209STDMETHODIMP SessionMachine::UpdateState (MachineState_T machineState)
7210{
7211 return setMachineState (machineState);
7212}
7213
7214/**
7215 * @note Locks this object for reading.
7216 */
7217STDMETHODIMP SessionMachine::GetIPCId (BSTR *id)
7218{
7219 AutoCaller autoCaller (this);
7220 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7221
7222 AutoReaderLock alock (this);
7223
7224#if defined(__WIN__)
7225 mIPCSemName.cloneTo (id);
7226 return S_OK;
7227#elif defined(__LINUX__)
7228 mData->mConfigFileFull.cloneTo (id);
7229 return S_OK;
7230#else
7231 return S_FAIL;
7232#endif
7233}
7234
7235/**
7236 * @note Locks this object for reading.
7237 */
7238STDMETHODIMP SessionMachine::GetLogFolder (BSTR *aLogFolder)
7239{
7240 AutoCaller autoCaller (this);
7241 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7242
7243 AutoReaderLock alock (this);
7244
7245 Utf8Str logFolder;
7246 getLogFolder (logFolder);
7247
7248 Bstr (logFolder).cloneTo (aLogFolder);
7249
7250 return S_OK;
7251}
7252
7253/**
7254 * Goes through the USB filters of the given machine to see if the given
7255 * device matches any filter or not.
7256 *
7257 * @note Locks the same as USBController::hasMatchingFilter() does.
7258 */
7259STDMETHODIMP SessionMachine::RunUSBDeviceFilters (IUSBDevice *aUSBDevice,
7260 BOOL *aMatched)
7261{
7262 if (!aUSBDevice)
7263 return E_INVALIDARG;
7264 if (!aMatched)
7265 return E_POINTER;
7266
7267 AutoCaller autoCaller (this);
7268 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7269
7270 *aMatched = mUSBController->hasMatchingFilter (aUSBDevice);
7271
7272 return S_OK;
7273}
7274
7275/**
7276 * @note Locks the same as Host::captureUSBDevice() does.
7277 */
7278STDMETHODIMP SessionMachine::CaptureUSBDevice (INPTR GUIDPARAM aId,
7279 IUSBDevice **aHostDevice)
7280{
7281 if (!aHostDevice)
7282 return E_POINTER;
7283
7284 AutoCaller autoCaller (this);
7285 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7286
7287 // if cautureUSBDevice() fails, it must have set extended error info
7288 return mParent->host()->captureUSBDevice (this, aId, aHostDevice);
7289}
7290
7291/**
7292 * @note Locks the same as Host::releaseUSBDevice() does.
7293 */
7294STDMETHODIMP SessionMachine::ReleaseUSBDevice (INPTR GUIDPARAM aId)
7295{
7296 AutoCaller autoCaller (this);
7297 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7298
7299 return mParent->host()->releaseUSBDevice (this, aId);
7300}
7301
7302/**
7303 * @note Locks the same as Host::autoCaptureUSBDevices() does.
7304 */
7305STDMETHODIMP SessionMachine::AutoCaptureUSBDevices (IUSBDeviceCollection **aHostDevices)
7306{
7307 AutoCaller autoCaller (this);
7308 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7309
7310 return mParent->host()->autoCaptureUSBDevices (this, aHostDevices);
7311}
7312
7313/**
7314 * @note Locks the same as Host::releaseAllUSBDevices() does.
7315 */
7316STDMETHODIMP SessionMachine::ReleaseAllUSBDevices()
7317{
7318 AutoCaller autoCaller (this);
7319 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7320
7321 return mParent->host()->releaseAllUSBDevices (this);
7322}
7323
7324/**
7325 * @note Locks mParent + this object for writing.
7326 */
7327STDMETHODIMP SessionMachine::OnSessionEnd (ISession *aSession,
7328 IProgress **aProgress)
7329{
7330 LogFlowThisFuncEnter();
7331
7332 AssertReturn (aSession, E_INVALIDARG);
7333 AssertReturn (aProgress, E_INVALIDARG);
7334
7335 AutoCaller autoCaller (this);
7336
7337 LogFlowThisFunc (("state=%d\n", autoCaller.state()));
7338 /*
7339 * We don't assert below because it might happen that a non-direct session
7340 * informs us it is closed right after we've been uninitialized -- it's ok.
7341 */
7342 CheckComRCReturnRC (autoCaller.rc());
7343
7344 /* get IInternalSessionControl interface */
7345 ComPtr <IInternalSessionControl> control (aSession);
7346
7347 ComAssertRet (!control.isNull(), E_INVALIDARG);
7348
7349 /* Progress::init() needs mParent lock */
7350 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7351
7352 if (control.equalsTo (mData->mSession.mDirectControl))
7353 {
7354 ComAssertRet (aProgress, E_POINTER);
7355
7356 /* The direct session is being normally closed by the client process
7357 * ----------------------------------------------------------------- */
7358
7359 /* go to the closing state (essential for all open*Session() calls and
7360 * for #checkForDeath()) */
7361 Assert (mData->mSession.mState == SessionState_SessionOpen);
7362 mData->mSession.mState = SessionState_SessionClosing;
7363
7364 /* set direct control to NULL to release the remote instance */
7365 mData->mSession.mDirectControl.setNull();
7366 LogFlowThisFunc (("Direct control is set to NULL\n"));
7367
7368 /*
7369 * Create the progress object the client will use to wait until
7370 * #checkForDeath() is called to uninitialize this session object
7371 * after it releases the IPC semaphore.
7372 */
7373 ComObjPtr <Progress> progress;
7374 progress.createObject();
7375 progress->init (mParent, (IMachine *) mPeer, Bstr (tr ("Closing session")),
7376 FALSE /* aCancelable */);
7377 progress.queryInterfaceTo (aProgress);
7378 mData->mSession.mProgress = progress;
7379 }
7380 else
7381 {
7382 /* the remote session is being normally closed */
7383 Data::Session::RemoteControlList::iterator it =
7384 mData->mSession.mRemoteControls.begin();
7385 while (it != mData->mSession.mRemoteControls.end())
7386 {
7387 if (control.equalsTo (*it))
7388 break;
7389 ++it;
7390 }
7391 BOOL found = it != mData->mSession.mRemoteControls.end();
7392 ComAssertMsgRet (found, ("The session is not found in the session list!"),
7393 E_INVALIDARG);
7394 mData->mSession.mRemoteControls.remove (*it);
7395 }
7396
7397 LogFlowThisFuncLeave();
7398 return S_OK;
7399}
7400
7401/**
7402 * @note Locks mParent + this object for writing.
7403 */
7404STDMETHODIMP SessionMachine::BeginSavingState (IProgress *aProgress, BSTR *aStateFilePath)
7405{
7406 LogFlowThisFuncEnter();
7407
7408 AssertReturn (aProgress, E_INVALIDARG);
7409 AssertReturn (aStateFilePath, E_POINTER);
7410
7411 AutoCaller autoCaller (this);
7412 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7413
7414 /* mParent->addProgress() needs mParent lock */
7415 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7416
7417 AssertReturn (mData->mMachineState == MachineState_Paused &&
7418 mSnapshotData.mLastState == MachineState_InvalidMachineState &&
7419 mSnapshotData.mProgressId.isEmpty() &&
7420 mSnapshotData.mStateFilePath.isNull(),
7421 E_FAIL);
7422
7423 /* memorize the progress ID and add it to the global collection */
7424 Guid progressId;
7425 HRESULT rc = aProgress->COMGETTER(Id) (progressId.asOutParam());
7426 AssertComRCReturn (rc, rc);
7427 rc = mParent->addProgress (aProgress);
7428 AssertComRCReturn (rc, rc);
7429
7430 Bstr stateFilePath;
7431 /* stateFilePath is null when the machine is not running */
7432 if (mData->mMachineState == MachineState_Paused)
7433 {
7434 stateFilePath = Utf8StrFmt ("%ls%c{%Vuuid}.sav",
7435 mUserData->mSnapshotFolderFull.raw(),
7436 RTPATH_DELIMITER, mData->mUuid.raw());
7437 }
7438
7439 /* fill in the snapshot data */
7440 mSnapshotData.mLastState = mData->mMachineState;
7441 mSnapshotData.mProgressId = progressId;
7442 mSnapshotData.mStateFilePath = stateFilePath;
7443
7444 /* set the state to Saving (this is expected by Console::SaveState()) */
7445 setMachineState (MachineState_Saving);
7446
7447 stateFilePath.cloneTo (aStateFilePath);
7448
7449 return S_OK;
7450}
7451
7452/**
7453 * @note Locks mParent + this objects for writing.
7454 */
7455STDMETHODIMP SessionMachine::EndSavingState (BOOL aSuccess)
7456{
7457 LogFlowThisFunc (("\n"));
7458
7459 AutoCaller autoCaller (this);
7460 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7461
7462 /* endSavingState() need mParent lock */
7463 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7464
7465 AssertReturn (mData->mMachineState == MachineState_Saving &&
7466 mSnapshotData.mLastState != MachineState_InvalidMachineState &&
7467 !mSnapshotData.mProgressId.isEmpty() &&
7468 !mSnapshotData.mStateFilePath.isNull(),
7469 E_FAIL);
7470
7471 /*
7472 * on success, set the state to Saved;
7473 * on failure, set the state to the state we had when BeginSavingState() was
7474 * called (this is expected by Console::SaveState() and
7475 * Console::saveStateThread())
7476 */
7477 if (aSuccess)
7478 setMachineState (MachineState_Saved);
7479 else
7480 setMachineState (mSnapshotData.mLastState);
7481
7482 return endSavingState (aSuccess);
7483}
7484
7485/**
7486 * @note Locks mParent + this objects for writing.
7487 */
7488STDMETHODIMP SessionMachine::BeginTakingSnapshot (
7489 IConsole *aInitiator, INPTR BSTR aName, INPTR BSTR aDescription,
7490 IProgress *aProgress, BSTR *aStateFilePath,
7491 IProgress **aServerProgress)
7492{
7493 LogFlowThisFuncEnter();
7494
7495 AssertReturn (aInitiator && aName, E_INVALIDARG);
7496 AssertReturn (aStateFilePath && aServerProgress, E_POINTER);
7497
7498 LogFlowThisFunc (("aName='%ls'\n", aName));
7499
7500 AutoCaller autoCaller (this);
7501 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7502
7503 /* Progress::init() needs mParent lock */
7504 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7505
7506 AssertReturn ((mData->mMachineState < MachineState_Running ||
7507 mData->mMachineState == MachineState_Paused) &&
7508 mSnapshotData.mLastState == MachineState_InvalidMachineState &&
7509 mSnapshotData.mSnapshot.isNull() &&
7510 mSnapshotData.mServerProgress.isNull() &&
7511 mSnapshotData.mCombinedProgress.isNull(),
7512 E_FAIL);
7513
7514 bool takingSnapshotOnline = mData->mMachineState == MachineState_Paused;
7515
7516 if (!takingSnapshotOnline && mData->mMachineState != MachineState_Saved)
7517 {
7518 /*
7519 * save all current settings to ensure current changes are committed
7520 * and hard disks are fixed up
7521 */
7522 HRESULT rc = saveSettings();
7523 CheckComRCReturnRC (rc);
7524 }
7525
7526 /* check that there are no Writethrough hard disks attached */
7527 for (HDData::HDAttachmentList::const_iterator
7528 it = mHDData->mHDAttachments.begin();
7529 it != mHDData->mHDAttachments.end();
7530 ++ it)
7531 {
7532 ComObjPtr <HardDisk> hd = (*it)->hardDisk();
7533 AutoLock hdLock (hd);
7534 if (hd->type() == HardDiskType_WritethroughHardDisk)
7535 return setError (E_FAIL,
7536 tr ("Cannot take a snapshot when there is a Writethrough hard "
7537 " disk attached ('%ls')"), hd->toString().raw());
7538 }
7539
7540 AssertReturn (aProgress || !takingSnapshotOnline, E_FAIL);
7541
7542 /* create an ID for the snapshot */
7543 Guid snapshotId;
7544 snapshotId.create();
7545
7546 Bstr stateFilePath;
7547 /* stateFilePath is null when the machine is not online nor saved */
7548 if (takingSnapshotOnline || mData->mMachineState == MachineState_Saved)
7549 stateFilePath = Utf8StrFmt ("%ls%c{%Vuuid}.sav",
7550 mUserData->mSnapshotFolderFull.raw(),
7551 RTPATH_DELIMITER,
7552 snapshotId.ptr());
7553
7554 /* ensure the directory for the saved state file exists */
7555 if (stateFilePath)
7556 {
7557 Utf8Str dir = stateFilePath;
7558 RTPathStripFilename (dir.mutableRaw());
7559 if (!RTDirExists (dir))
7560 {
7561 int vrc = RTDirCreateFullPath (dir, 0777);
7562 if (VBOX_FAILURE (vrc))
7563 return setError (E_FAIL,
7564 tr ("Could not create a directory '%s' to save the "
7565 "VM state to (%Vrc)"),
7566 dir.raw(), vrc);
7567 }
7568 }
7569
7570 /* create a snapshot machine object */
7571 ComObjPtr <SnapshotMachine> snapshotMachine;
7572 snapshotMachine.createObject();
7573 HRESULT rc = snapshotMachine->init (this, snapshotId, stateFilePath);
7574 AssertComRCReturn (rc, rc);
7575
7576 Bstr progressDesc = Bstr (tr ("Taking snapshot of virtual machine"));
7577 Bstr firstOpDesc = Bstr (tr ("Preparing to take snapshot"));
7578
7579 /*
7580 * create a server-side progress object (it will be descriptionless
7581 * when we need to combine it with the VM-side progress, i.e. when we're
7582 * taking a snapshot online). The number of operations is:
7583 * 1 (preparing) + # of VDIs + 1 (if the state is saved so we need to copy it)
7584 */
7585 ComObjPtr <Progress> serverProgress;
7586 {
7587 ULONG opCount = 1 + mHDData->mHDAttachments.size();
7588 if (mData->mMachineState == MachineState_Saved)
7589 opCount ++;
7590 serverProgress.createObject();
7591 if (takingSnapshotOnline)
7592 rc = serverProgress->init (FALSE, opCount, firstOpDesc);
7593 else
7594 rc = serverProgress->init (mParent, aInitiator, progressDesc, FALSE,
7595 opCount, firstOpDesc);
7596 AssertComRCReturn (rc, rc);
7597 }
7598
7599 /* create a combined server-side progress object when necessary */
7600 ComObjPtr <CombinedProgress> combinedProgress;
7601 if (takingSnapshotOnline)
7602 {
7603 combinedProgress.createObject();
7604 rc = combinedProgress->init (mParent, aInitiator, progressDesc,
7605 serverProgress, aProgress);
7606 AssertComRCReturn (rc, rc);
7607 }
7608
7609 /* create a snapshot object */
7610 RTTIMESPEC time;
7611 ComObjPtr <Snapshot> snapshot;
7612 snapshot.createObject();
7613 rc = snapshot->init (snapshotId, aName, aDescription,
7614 RTTimeSpecGetMilli (RTTimeNow (&time)),
7615 snapshotMachine, mData->mCurrentSnapshot);
7616 AssertComRCReturn (rc, rc);
7617
7618 /*
7619 * create and start the task on a separate thread
7620 * (note that it will not start working until we release alock)
7621 */
7622 TakeSnapshotTask *task = new TakeSnapshotTask (this);
7623 int vrc = RTThreadCreate (NULL, taskHandler,
7624 (void *) task,
7625 0, RTTHREADTYPE_MAIN_WORKER, 0, "TakeSnapshot");
7626 if (VBOX_FAILURE (vrc))
7627 {
7628 snapshot->uninit();
7629 delete task;
7630 ComAssertFailedRet (E_FAIL);
7631 }
7632
7633 /* fill in the snapshot data */
7634 mSnapshotData.mLastState = mData->mMachineState;
7635 mSnapshotData.mSnapshot = snapshot;
7636 mSnapshotData.mServerProgress = serverProgress;
7637 mSnapshotData.mCombinedProgress = combinedProgress;
7638
7639 /* set the state to Saving (this is expected by Console::TakeSnapshot()) */
7640 setMachineState (MachineState_Saving);
7641
7642 if (takingSnapshotOnline)
7643 stateFilePath.cloneTo (aStateFilePath);
7644 else
7645 *aStateFilePath = NULL;
7646
7647 serverProgress.queryInterfaceTo (aServerProgress);
7648
7649 LogFlowThisFuncLeave();
7650 return S_OK;
7651}
7652
7653/**
7654 * @note Locks mParent + this objects for writing.
7655 */
7656STDMETHODIMP SessionMachine::EndTakingSnapshot (BOOL aSuccess)
7657{
7658 LogFlowThisFunc (("\n"));
7659
7660 AutoCaller autoCaller (this);
7661 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7662
7663 /* Lock mParent because of endTakingSnapshot() */
7664 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7665
7666 AssertReturn (!aSuccess ||
7667 (mData->mMachineState == MachineState_Saving &&
7668 mSnapshotData.mLastState != MachineState_InvalidMachineState &&
7669 !mSnapshotData.mSnapshot.isNull() &&
7670 !mSnapshotData.mServerProgress.isNull() &&
7671 !mSnapshotData.mCombinedProgress.isNull()),
7672 E_FAIL);
7673
7674 /*
7675 * set the state to the state we had when BeginTakingSnapshot() was called
7676 * (this is expected by Console::TakeSnapshot() and
7677 * Console::saveStateThread())
7678 */
7679 setMachineState (mSnapshotData.mLastState);
7680
7681 return endTakingSnapshot (aSuccess);
7682}
7683
7684/**
7685 * @note Locks mParent + this + children objects for writing!
7686 */
7687STDMETHODIMP SessionMachine::DiscardSnapshot (
7688 IConsole *aInitiator, INPTR GUIDPARAM aId,
7689 MachineState_T *aMachineState, IProgress **aProgress)
7690{
7691 LogFlowThisFunc (("\n"));
7692
7693 Guid id = aId;
7694 AssertReturn (aInitiator && !id.isEmpty(), E_INVALIDARG);
7695 AssertReturn (aMachineState && aProgress, E_POINTER);
7696
7697 AutoCaller autoCaller (this);
7698 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7699
7700 /* Progress::init() needs mParent lock */
7701 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7702
7703 ComAssertRet (mData->mMachineState < MachineState_Running, E_FAIL);
7704
7705 ComObjPtr <Snapshot> snapshot;
7706 HRESULT rc = findSnapshot (id, snapshot, true /* aSetError */);
7707 CheckComRCReturnRC (rc);
7708
7709 AutoLock snapshotLock (snapshot);
7710 if (snapshot == mData->mFirstSnapshot)
7711 {
7712 AutoLock chLock (mData->mFirstSnapshot->childrenLock());
7713 size_t childrenCount = mData->mFirstSnapshot->children().size();
7714 if (childrenCount > 1)
7715 return setError (E_FAIL,
7716 tr ("Cannot discard the snapshot '%ls' because it is the first "
7717 "snapshot of the machine '%ls' and it has more than one "
7718 "child snapshot (%d)"),
7719 snapshot->data().mName.raw(), mUserData->mName.raw(),
7720 childrenCount);
7721 }
7722
7723 /*
7724 * If the snapshot being discarded is the current one, ensure current
7725 * settings are committed and saved.
7726 */
7727 if (snapshot == mData->mCurrentSnapshot)
7728 {
7729 if (isModified())
7730 {
7731 rc = saveSettings();
7732 CheckComRCReturnRC (rc);
7733 }
7734 }
7735
7736 /*
7737 * create a progress object. The number of operations is:
7738 * 1 (preparing) + # of VDIs
7739 */
7740 ComObjPtr <Progress> progress;
7741 progress.createObject();
7742 rc = progress->init (mParent, aInitiator,
7743 Bstr (Utf8StrFmt (tr ("Discarding snapshot '%ls'"),
7744 snapshot->data().mName.raw())),
7745 FALSE /* aCancelable */,
7746 1 + snapshot->data().mMachine->mHDData->mHDAttachments.size(),
7747 Bstr (tr ("Preparing to discard snapshot")));
7748 AssertComRCReturn (rc, rc);
7749
7750 /* create and start the task on a separate thread */
7751 DiscardSnapshotTask *task = new DiscardSnapshotTask (this, progress, snapshot);
7752 int vrc = RTThreadCreate (NULL, taskHandler,
7753 (void *) task,
7754 0, RTTHREADTYPE_MAIN_WORKER, 0, "DiscardSnapshot");
7755 if (VBOX_FAILURE (vrc))
7756 delete task;
7757 ComAssertRCRet (vrc, E_FAIL);
7758
7759 /* set the proper machine state (note: after creating a Task instance) */
7760 setMachineState (MachineState_Discarding);
7761
7762 /* return the progress to the caller */
7763 progress.queryInterfaceTo (aProgress);
7764
7765 /* return the new state to the caller */
7766 *aMachineState = mData->mMachineState;
7767
7768 return S_OK;
7769}
7770
7771/**
7772 * @note Locks mParent + this + children objects for writing!
7773 */
7774STDMETHODIMP SessionMachine::DiscardCurrentState (
7775 IConsole *aInitiator, MachineState_T *aMachineState, IProgress **aProgress)
7776{
7777 LogFlowThisFunc (("\n"));
7778
7779 AssertReturn (aInitiator, E_INVALIDARG);
7780 AssertReturn (aMachineState && aProgress, E_POINTER);
7781
7782 AutoCaller autoCaller (this);
7783 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7784
7785 /* Progress::init() needs mParent lock */
7786 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7787
7788 ComAssertRet (mData->mMachineState < MachineState_Running, E_FAIL);
7789
7790 if (mData->mCurrentSnapshot.isNull())
7791 return setError (E_FAIL,
7792 tr ("Could not discard the current state of the machine '%ls' "
7793 "because it doesn't have any snapshots"),
7794 mUserData->mName.raw());
7795
7796 /*
7797 * create a progress object. The number of operations is:
7798 * 1 (preparing) + # of VDIs + 1 (if we need to copy the saved state file)
7799 */
7800 ComObjPtr <Progress> progress;
7801 progress.createObject();
7802 {
7803 ULONG opCount = 1 + mData->mCurrentSnapshot->data()
7804 .mMachine->mHDData->mHDAttachments.size();
7805 if (mData->mCurrentSnapshot->stateFilePath())
7806 ++ opCount;
7807 progress->init (mParent, aInitiator,
7808 Bstr (tr ("Discarding current machine state")),
7809 FALSE /* aCancelable */, opCount,
7810 Bstr (tr ("Preparing to discard current state")));
7811 }
7812
7813 /* create and start the task on a separate thread */
7814 DiscardCurrentStateTask *task =
7815 new DiscardCurrentStateTask (this, progress, false /* discardCurSnapshot */);
7816 int vrc = RTThreadCreate (NULL, taskHandler,
7817 (void *) task,
7818 0, RTTHREADTYPE_MAIN_WORKER, 0, "DiscardCurState");
7819 if (VBOX_FAILURE (vrc))
7820 delete task;
7821 ComAssertRCRet (vrc, E_FAIL);
7822
7823 /* set the proper machine state (note: after creating a Task instance) */
7824 setMachineState (MachineState_Discarding);
7825
7826 /* return the progress to the caller */
7827 progress.queryInterfaceTo (aProgress);
7828
7829 /* return the new state to the caller */
7830 *aMachineState = mData->mMachineState;
7831
7832 return S_OK;
7833}
7834
7835/**
7836 * @note Locks mParent + other objects for writing!
7837 */
7838STDMETHODIMP SessionMachine::DiscardCurrentSnapshotAndState (
7839 IConsole *aInitiator, MachineState_T *aMachineState, IProgress **aProgress)
7840{
7841 LogFlowThisFunc (("\n"));
7842
7843 AssertReturn (aInitiator, E_INVALIDARG);
7844 AssertReturn (aMachineState && aProgress, E_POINTER);
7845
7846 AutoCaller autoCaller (this);
7847 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
7848
7849 /* Progress::init() needs mParent lock */
7850 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
7851
7852 ComAssertRet (mData->mMachineState < MachineState_Running, E_FAIL);
7853
7854 if (mData->mCurrentSnapshot.isNull())
7855 return setError (E_FAIL,
7856 tr ("Could not discard the current state of the machine '%ls' "
7857 "because it doesn't have any snapshots"),
7858 mUserData->mName.raw());
7859
7860 /*
7861 * create a progress object. The number of operations is:
7862 * 1 (preparing) + # of VDIs in the current snapshot +
7863 * # of VDIs in the previous snapshot +
7864 * 1 (if we need to copy the saved state file of the previous snapshot)
7865 * or (if there is no previous snapshot):
7866 * 1 (preparing) + # of VDIs in the current snapshot * 2 +
7867 * 1 (if we need to copy the saved state file of the current snapshot)
7868 */
7869 ComObjPtr <Progress> progress;
7870 progress.createObject();
7871 {
7872 ComObjPtr <Snapshot> curSnapshot = mData->mCurrentSnapshot;
7873 ComObjPtr <Snapshot> prevSnapshot = mData->mCurrentSnapshot->parent();
7874
7875 ULONG opCount = 1;
7876 if (prevSnapshot)
7877 {
7878 opCount += curSnapshot->data().mMachine->mHDData->mHDAttachments.size();
7879 opCount += prevSnapshot->data().mMachine->mHDData->mHDAttachments.size();
7880 if (prevSnapshot->stateFilePath())
7881 ++ opCount;
7882 }
7883 else
7884 {
7885 opCount += curSnapshot->data().mMachine->mHDData->mHDAttachments.size() * 2;
7886 if (curSnapshot->stateFilePath())
7887 ++ opCount;
7888 }
7889
7890 progress->init (mParent, aInitiator,
7891 Bstr (tr ("Discarding current machine snapshot and state")),
7892 FALSE /* aCancelable */, opCount,
7893 Bstr (tr ("Preparing to discard current snapshot and state")));
7894 }
7895
7896 /* create and start the task on a separate thread */
7897 DiscardCurrentStateTask *task =
7898 new DiscardCurrentStateTask (this, progress, true /* discardCurSnapshot */);
7899 int vrc = RTThreadCreate (NULL, taskHandler,
7900 (void *) task,
7901 0, RTTHREADTYPE_MAIN_WORKER, 0, "DiscardCurState");
7902 if (VBOX_FAILURE (vrc))
7903 delete task;
7904 ComAssertRCRet (vrc, E_FAIL);
7905
7906 /* set the proper machine state (note: after creating a Task instance) */
7907 setMachineState (MachineState_Discarding);
7908
7909 /* return the progress to the caller */
7910 progress.queryInterfaceTo (aProgress);
7911
7912 /* return the new state to the caller */
7913 *aMachineState = mData->mMachineState;
7914
7915 return S_OK;
7916}
7917
7918// public methods only for internal purposes
7919/////////////////////////////////////////////////////////////////////////////
7920
7921/**
7922 * Called from the client watcher thread to check for unexpected client
7923 * process death.
7924 *
7925 * @note On Win32, this method is called only when we've got the semaphore
7926 * (i.e. it has been signaled when we were waiting for it).
7927 *
7928 * On Win32, this method always returns true.
7929 *
7930 * On Linux, the method returns true if the client process has terminated
7931 * abnormally (and/or the session has been uninitialized) and false if it is
7932 * still alive.
7933 *
7934 * @note Locks this object for writing.
7935 */
7936bool SessionMachine::checkForDeath()
7937{
7938 Uninit::Reason reason;
7939 bool doUninit = false;
7940 bool rc = false;
7941
7942 /*
7943 * Enclose autoCaller with a block because calling uninit()
7944 * from under it will deadlock.
7945 */
7946 {
7947 AutoCaller autoCaller (this);
7948 if (!autoCaller.isOk())
7949 {
7950 /*
7951 * return true if not ready, to cause the client watcher to exclude
7952 * the corresponding session from watching
7953 */
7954 LogFlowThisFunc (("Already uninitialized!"));
7955 return true;
7956 }
7957
7958 AutoLock alock (this);
7959
7960 /*
7961 * Determine the reason of death: if the session state is Closing here,
7962 * everything is fine. Otherwise it means that the client did not call
7963 * OnSessionEnd() before it released the IPC semaphore.
7964 * This may happen either because the client process has abnormally
7965 * terminated, or because it simply forgot to call ISession::Close()
7966 * before exiting. We threat the latter also as an abnormal termination
7967 * (see Session::uninit() for details).
7968 */
7969 reason = mData->mSession.mState == SessionState_SessionClosing ?
7970 Uninit::Normal :
7971 Uninit::Abnormal;
7972
7973#if defined(__WIN__)
7974
7975 AssertMsg (mIPCSem, ("semaphore must be created"));
7976
7977 if (reason == Uninit::Abnormal)
7978 {
7979 LogWarningThisFunc (("ABNORMAL client termination! (wasRunning=%d)\n",
7980 mData->mMachineState >= MachineState_Running));
7981
7982 /* reset the state to Aborted */
7983 if (mData->mMachineState != MachineState_Aborted)
7984 setMachineState (MachineState_Aborted);
7985 }
7986
7987 /* release the IPC mutex */
7988 ::ReleaseMutex (mIPCSem);
7989
7990 doUninit = true;
7991
7992 rc = true;
7993
7994#elif defined(__LINUX__)
7995
7996 AssertMsg (mIPCSem >= 0, ("semaphore must be created"));
7997
7998 int val = ::semctl (mIPCSem, 0, GETVAL);
7999 if (val > 0)
8000 {
8001 /* the semaphore is signaled, meaning the session is terminated */
8002
8003 if (reason == Uninit::Abnormal)
8004 {
8005 LogWarningThisFunc (("ABNORMAL client termination! (wasRunning=%d)\n",
8006 mData->mMachineState >= MachineState_Running));
8007
8008 /* reset the state to Aborted */
8009 if (mData->mMachineState != MachineState_Aborted)
8010 setMachineState (MachineState_Aborted);
8011 }
8012
8013 doUninit = true;
8014 }
8015
8016 rc = val > 0;
8017
8018#endif
8019
8020 } /* AutoCaller block */
8021
8022 if (doUninit)
8023 uninit (reason);
8024
8025 return rc;
8026}
8027
8028/**
8029 * @note Locks this object for reading.
8030 */
8031HRESULT SessionMachine::onDVDDriveChange()
8032{
8033 LogFlowThisFunc (("\n"));
8034
8035 AutoCaller autoCaller (this);
8036 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8037
8038 ComPtr <IInternalSessionControl> directControl;
8039 {
8040 AutoReaderLock alock (this);
8041 directControl = mData->mSession.mDirectControl;
8042 }
8043
8044 /* ignore notifications sent after #OnSessionEnd() is called */
8045 if (!directControl)
8046 return S_OK;
8047
8048 return directControl->OnDVDDriveChange();
8049}
8050
8051/**
8052 * @note Locks this object for reading.
8053 */
8054HRESULT SessionMachine::onFloppyDriveChange()
8055{
8056 LogFlowThisFunc (("\n"));
8057
8058 AutoCaller autoCaller (this);
8059 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8060
8061 ComPtr <IInternalSessionControl> directControl;
8062 {
8063 AutoReaderLock alock (this);
8064 directControl = mData->mSession.mDirectControl;
8065 }
8066
8067 /* ignore notifications sent after #OnSessionEnd() is called */
8068 if (!directControl)
8069 return S_OK;
8070
8071 return directControl->OnFloppyDriveChange();
8072}
8073
8074/**
8075 * @note Locks this object for reading.
8076 */
8077HRESULT SessionMachine::onNetworkAdapterChange(INetworkAdapter *networkAdapter)
8078{
8079 LogFlowThisFunc (("\n"));
8080
8081 AutoCaller autoCaller (this);
8082 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8083
8084 ComPtr <IInternalSessionControl> directControl;
8085 {
8086 AutoReaderLock alock (this);
8087 directControl = mData->mSession.mDirectControl;
8088 }
8089
8090 /* ignore notifications sent after #OnSessionEnd() is called */
8091 if (!directControl)
8092 return S_OK;
8093
8094 return directControl->OnNetworkAdapterChange(networkAdapter);
8095}
8096
8097/**
8098 * @note Locks this object for reading.
8099 */
8100HRESULT SessionMachine::onVRDPServerChange()
8101{
8102 LogFlowThisFunc (("\n"));
8103
8104 AutoCaller autoCaller (this);
8105 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8106
8107 ComPtr <IInternalSessionControl> directControl;
8108 {
8109 AutoReaderLock alock (this);
8110 directControl = mData->mSession.mDirectControl;
8111 }
8112
8113 /* ignore notifications sent after #OnSessionEnd() is called */
8114 if (!directControl)
8115 return S_OK;
8116
8117 return directControl->OnVRDPServerChange();
8118}
8119
8120/**
8121 * @note Locks this object for reading.
8122 */
8123HRESULT SessionMachine::onUSBControllerChange()
8124{
8125 LogFlowThisFunc (("\n"));
8126
8127 AutoCaller autoCaller (this);
8128 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8129
8130 ComPtr <IInternalSessionControl> directControl;
8131 {
8132 AutoReaderLock alock (this);
8133 directControl = mData->mSession.mDirectControl;
8134 }
8135
8136 /* ignore notifications sent after #OnSessionEnd() is called */
8137 if (!directControl)
8138 return S_OK;
8139
8140 return directControl->OnUSBControllerChange();
8141}
8142
8143/**
8144 * @note Locks this object for reading.
8145 */
8146HRESULT SessionMachine::onUSBDeviceAttach (IUSBDevice *aDevice)
8147{
8148 LogFlowThisFunc (("\n"));
8149
8150 AutoCaller autoCaller (this);
8151 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8152
8153 ComPtr <IInternalSessionControl> directControl;
8154 {
8155 AutoReaderLock alock (this);
8156 directControl = mData->mSession.mDirectControl;
8157 }
8158
8159 /* ignore notifications sent after #OnSessionEnd() is called */
8160 if (!directControl)
8161 return S_OK;
8162
8163 return directControl->OnUSBDeviceAttach (aDevice);
8164}
8165
8166/**
8167 * @note Locks this object for reading.
8168 */
8169HRESULT SessionMachine::onUSBDeviceDetach (INPTR GUIDPARAM aId)
8170{
8171 LogFlowThisFunc (("\n"));
8172
8173 AutoCaller autoCaller (this);
8174 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8175
8176 ComPtr <IInternalSessionControl> directControl;
8177 {
8178 AutoReaderLock alock (this);
8179 directControl = mData->mSession.mDirectControl;
8180 }
8181
8182 /* ignore notifications sent after #OnSessionEnd() is called */
8183 if (!directControl)
8184 return S_OK;
8185
8186 return directControl->OnUSBDeviceDetach (aId);
8187}
8188
8189// protected methods
8190/////////////////////////////////////////////////////////////////////////////
8191
8192/**
8193 * Helper method to finalize saving the state.
8194 *
8195 * @note Must be called from under this object's lock.
8196 *
8197 * @param aSuccess TRUE if the snapshot has been taken successfully
8198 *
8199 * @note Locks mParent + this objects for writing.
8200 */
8201HRESULT SessionMachine::endSavingState (BOOL aSuccess)
8202{
8203 LogFlowThisFuncEnter();
8204
8205 AutoCaller autoCaller (this);
8206 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8207
8208 /* mParent->removeProgress() needs mParent lock */
8209 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
8210
8211 HRESULT rc = S_OK;
8212
8213 if (aSuccess)
8214 {
8215 mSSData->mStateFilePath = mSnapshotData.mStateFilePath;
8216
8217 /* save all VM settings */
8218 rc = saveSettings();
8219 }
8220 else
8221 {
8222 /* delete the saved state file (it might have been already created) */
8223 RTFileDelete (Utf8Str (mSnapshotData.mStateFilePath));
8224 }
8225
8226 /* remove the completed progress object */
8227 mParent->removeProgress (mSnapshotData.mProgressId);
8228
8229 /* clear out the temporary saved state data */
8230 mSnapshotData.mLastState = MachineState_InvalidMachineState;
8231 mSnapshotData.mProgressId.clear();
8232 mSnapshotData.mStateFilePath.setNull();
8233
8234 LogFlowThisFuncLeave();
8235 return rc;
8236}
8237
8238/**
8239 * Helper method to finalize taking a snapshot.
8240 * Gets called only from #EndTakingSnapshot() that is expected to
8241 * be called by the VM process when it finishes *all* the tasks related to
8242 * taking a snapshot, either scucessfully or unsuccessfilly.
8243 *
8244 * @param aSuccess TRUE if the snapshot has been taken successfully
8245 *
8246 * @note Locks mParent + this objects for writing.
8247 */
8248HRESULT SessionMachine::endTakingSnapshot (BOOL aSuccess)
8249{
8250 LogFlowThisFuncEnter();
8251
8252 AutoCaller autoCaller (this);
8253 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
8254
8255 /* Progress object uninitialization needs mParent lock */
8256 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
8257
8258 HRESULT rc = S_OK;
8259
8260 if (aSuccess)
8261 {
8262 /* the server progress must be completed on success */
8263 Assert (mSnapshotData.mServerProgress->completed());
8264
8265 mData->mCurrentSnapshot = mSnapshotData.mSnapshot;
8266 /* memorize the first snapshot if necessary */
8267 if (!mData->mFirstSnapshot)
8268 mData->mFirstSnapshot = mData->mCurrentSnapshot;
8269
8270 int opFlags = SaveSS_AddOp | SaveSS_UpdateCurrentId;
8271 if (mSnapshotData.mLastState != MachineState_Paused && !isModified())
8272 {
8273 /*
8274 * the machine was powered off or saved when taking a snapshot,
8275 * so reset the mCurrentStateModified flag
8276 */
8277 mData->mCurrentStateModified = FALSE;
8278 opFlags |= SaveSS_UpdateCurStateModified;
8279 }
8280
8281 rc = saveSnapshotSettings (mSnapshotData.mSnapshot, opFlags);
8282 }
8283
8284 if (!aSuccess || FAILED (rc))
8285 {
8286 if (mSnapshotData.mSnapshot)
8287 {
8288 /* wait for the completion of the server progress (diff VDI creation) */
8289 /// @todo (dmik) later, we will definitely want to cancel it instead
8290 // (when the cancel function is implemented)
8291 mSnapshotData.mServerProgress->WaitForCompletion (-1);
8292
8293 /*
8294 * delete all differencing VDIs created
8295 * (this will attach their parents back)
8296 */
8297 rc = deleteSnapshotDiffs (mSnapshotData.mSnapshot);
8298 /* continue cleanup on error */
8299
8300 /* delete the saved state file (it might have been already created) */
8301 if (mSnapshotData.mSnapshot->stateFilePath())
8302 RTFileDelete (Utf8Str (mSnapshotData.mSnapshot->stateFilePath()));
8303
8304 mSnapshotData.mSnapshot->uninit();
8305 }
8306 }
8307
8308 /* inform callbacks */
8309 if (aSuccess && SUCCEEDED (rc))
8310 mParent->onSnapshotTaken (mData->mUuid, mSnapshotData.mSnapshot->data().mId);
8311
8312 /* clear out the snapshot data */
8313 mSnapshotData.mLastState = MachineState_InvalidMachineState;
8314 mSnapshotData.mSnapshot.setNull();
8315 mSnapshotData.mServerProgress.setNull();
8316 /* uninitialize the combined progress (to remove it from the VBox collection) */
8317 if (!mSnapshotData.mCombinedProgress.isNull())
8318 {
8319 mSnapshotData.mCombinedProgress->uninit();
8320 mSnapshotData.mCombinedProgress.setNull();
8321 }
8322
8323 LogFlowThisFuncLeave();
8324 return rc;
8325}
8326
8327/**
8328 * Take snapshot task handler.
8329 * Must be called only by TakeSnapshotTask::handler()!
8330 *
8331 * The sole purpose of this task is to asynchronously create differencing VDIs
8332 * and copy the saved state file (when necessary). The VM process will wait
8333 * for this task to complete using the mSnapshotData.mServerProgress
8334 * returned to it.
8335 *
8336 * @note Locks mParent + this objects for writing.
8337 */
8338void SessionMachine::takeSnapshotHandler (TakeSnapshotTask &aTask)
8339{
8340 LogFlowThisFuncEnter();
8341
8342 AutoCaller autoCaller (this);
8343
8344 LogFlowThisFunc (("state=%d\n", autoCaller.state()));
8345 if (!autoCaller.isOk())
8346 {
8347 /*
8348 * we might have been uninitialized because the session was
8349 * accidentally closed by the client, so don't assert
8350 */
8351 LogFlowThisFuncLeave();
8352 return;
8353 }
8354
8355 /* endTakingSnapshot() needs mParent lock */
8356 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
8357
8358 HRESULT rc = S_OK;
8359
8360 LogFlowThisFunc (("Creating differencing VDIs...\n"));
8361
8362 /* create new differencing hard disks and attach them to this machine */
8363 rc = createSnapshotDiffs (&mSnapshotData.mSnapshot->data().mId,
8364 mUserData->mSnapshotFolderFull,
8365 mSnapshotData.mServerProgress,
8366 true /* aOnline */);
8367
8368 if (SUCCEEDED (rc) && mSnapshotData.mLastState == MachineState_Saved)
8369 {
8370 Utf8Str stateFrom = mSSData->mStateFilePath;
8371 Utf8Str stateTo = mSnapshotData.mSnapshot->stateFilePath();
8372
8373 LogFlowThisFunc (("Copying the execution state from '%s' to '%s'...\n",
8374 stateFrom.raw(), stateTo.raw()));
8375
8376 mSnapshotData.mServerProgress->advanceOperation (
8377 Bstr (tr ("Copying the execution state")));
8378
8379 /*
8380 * We can safely leave the lock here:
8381 * mMachineState is MachineState_Saving here
8382 */
8383 alock.leave();
8384
8385 /* copy the state file */
8386 int vrc = RTFileCopyEx (stateFrom, stateTo, progressCallback,
8387 static_cast <Progress *> (mSnapshotData.mServerProgress));
8388
8389 alock.enter();
8390
8391 if (VBOX_FAILURE (vrc))
8392 rc = setError (E_FAIL,
8393 tr ("Could not copy the state file '%ls' to '%ls' (%Vrc)"),
8394 stateFrom.raw(), stateTo.raw());
8395 }
8396
8397 /*
8398 * we have to call endTakingSnapshot() here if the snapshot was taken
8399 * offline, because the VM process will not do it in this case
8400 */
8401 if (mSnapshotData.mLastState != MachineState_Paused)
8402 {
8403 LogFlowThisFunc (("Finalizing the taken snapshot (rc=%08X)...\n", rc));
8404
8405 setMachineState (mSnapshotData.mLastState);
8406 updateMachineStateOnClient();
8407
8408 /* finalize the progress after setting the state, for consistency */
8409 mSnapshotData.mServerProgress->notifyComplete (rc);
8410
8411 endTakingSnapshot (SUCCEEDED (rc));
8412 }
8413 else
8414 {
8415 mSnapshotData.mServerProgress->notifyComplete (rc);
8416 }
8417
8418 LogFlowThisFuncLeave();
8419}
8420
8421/**
8422 * Discard snapshot task handler.
8423 * Must be called only by DiscardSnapshotTask::handler()!
8424 *
8425 * When aTask.subTask is true, the associated progress object is left
8426 * uncompleted on success. On failure, the progress is marked as completed
8427 * regardless of this parameter.
8428 *
8429 * @note Locks mParent + this + child objects for writing!
8430 */
8431void SessionMachine::discardSnapshotHandler (DiscardSnapshotTask &aTask)
8432{
8433 LogFlowThisFuncEnter();
8434
8435 AutoCaller autoCaller (this);
8436
8437 LogFlowThisFunc (("state=%d\n", autoCaller.state()));
8438 if (!autoCaller.isOk())
8439 {
8440 /*
8441 * we might have been uninitialized because the session was
8442 * accidentally closed by the client, so don't assert
8443 */
8444 aTask.progress->notifyComplete (
8445 E_FAIL, COM_IIDOF (IMachine), getComponentName(),
8446 tr ("The session has been accidentally closed"));
8447
8448 LogFlowThisFuncLeave();
8449 return;
8450 }
8451
8452 ComObjPtr <SnapshotMachine> sm = aTask.snapshot->data().mMachine;
8453
8454 /* mParent is locked because of Progress::notifyComplete(), etc. */
8455 AutoMultiLock <3> alock (mParent->wlock(), this->wlock(), sm->rlock());
8456
8457 /* Safe locking in the direction parent->child */
8458 AutoLock snapshotLock (aTask.snapshot);
8459 AutoLock snapshotChildrenLock (aTask.snapshot->childrenLock());
8460
8461 HRESULT rc = S_OK;
8462
8463 /* save the snapshot ID (for callbacks) */
8464 Guid snapshotId = aTask.snapshot->data().mId;
8465
8466 do
8467 {
8468 /* first pass: */
8469 LogFlowThisFunc (("Check hard disk accessibility and affected machines...\n"));
8470
8471 HDData::HDAttachmentList::const_iterator it;
8472 for (it = sm->mHDData->mHDAttachments.begin();
8473 it != sm->mHDData->mHDAttachments.end();
8474 ++ it)
8475 {
8476 ComObjPtr <HardDiskAttachment> hda = *it;
8477 ComObjPtr <HardDisk> hd = hda->hardDisk();
8478 ComObjPtr <HardDisk> parent = hd->parent();
8479
8480 AutoLock hdLock (hd);
8481
8482 if (hd->hasForeignChildren())
8483 {
8484 rc = setError (E_FAIL,
8485 tr ("One or more hard disks belonging to other machines are "
8486 "based on the hard disk '%ls' stored in the snapshot '%ls'"),
8487 hd->toString().raw(), aTask.snapshot->data().mName.raw());
8488 break;
8489 }
8490
8491 if (hd->type() == HardDiskType_NormalHardDisk)
8492 {
8493 AutoLock hdChildrenLock (hd->childrenLock());
8494 size_t childrenCount = hd->children().size();
8495 if (childrenCount > 1)
8496 {
8497 rc = setError (E_FAIL,
8498 tr ("Normal hard disk '%ls' stored in the snapshot '%ls' "
8499 "has more than one child hard disk (%d)"),
8500 hd->toString().raw(), aTask.snapshot->data().mName.raw(),
8501 childrenCount);
8502 break;
8503 }
8504 }
8505 else
8506 {
8507 ComAssertMsgFailedBreak (("Invalid hard disk type %d\n", hd->type()),
8508 rc = E_FAIL);
8509 }
8510
8511 Bstr accessError;
8512 rc = hd->getAccessibleWithChildren (accessError);
8513 CheckComRCBreakRC (rc);
8514
8515 if (!accessError.isNull())
8516 {
8517 rc = setError (E_FAIL,
8518 tr ("Hard disk '%ls' stored in the snapshot '%ls' is not "
8519 "accessible (%ls)"),
8520 hd->toString().raw(), aTask.snapshot->data().mName.raw(),
8521 accessError.raw());
8522 break;
8523 }
8524
8525 rc = hd->setBusyWithChildren();
8526 if (FAILED (rc))
8527 {
8528 /* reset the busy flag of all previous hard disks */
8529 while (it != sm->mHDData->mHDAttachments.begin())
8530 (*(-- it))->hardDisk()->clearBusyWithChildren();
8531 break;
8532 }
8533 }
8534
8535 CheckComRCBreakRC (rc);
8536
8537 /* second pass: */
8538 LogFlowThisFunc (("Performing actual vdi merging...\n"));
8539
8540 for (it = sm->mHDData->mHDAttachments.begin();
8541 it != sm->mHDData->mHDAttachments.end();
8542 ++ it)
8543 {
8544 ComObjPtr <HardDiskAttachment> hda = *it;
8545 ComObjPtr <HardDisk> hd = hda->hardDisk();
8546 ComObjPtr <HardDisk> parent = hd->parent();
8547
8548 AutoLock hdLock (hd);
8549
8550 Bstr hdRootString = hd->root()->toString (true /* aShort */);
8551
8552 if (parent)
8553 {
8554 if (hd->isParentImmutable())
8555 {
8556 aTask.progress->advanceOperation (Bstr (Utf8StrFmt (
8557 tr ("Discarding changes to immutable hard disk '%ls'"),
8558 hdRootString.raw())));
8559
8560 /* clear the busy flag before unregistering */
8561 hd->clearBusy();
8562
8563 /*
8564 * unregisterDiffHardDisk() is supposed to delete and uninit
8565 * the differencing hard disk
8566 */
8567 rc = mParent->unregisterDiffHardDisk (hd);
8568 CheckComRCBreakRC (rc);
8569 continue;
8570 }
8571 else
8572 {
8573 /*
8574 * differencing VDI:
8575 * merge this image to all its children
8576 */
8577
8578 aTask.progress->advanceOperation (Bstr (Utf8StrFmt (
8579 tr ("Merging changes to normal hard disk '%ls' to children"),
8580 hdRootString.raw())));
8581
8582 snapshotChildrenLock.unlock();
8583 snapshotLock.unlock();
8584 alock.leave();
8585
8586 rc = hd->asVDI()->mergeImageToChildren (aTask.progress);
8587
8588 alock.enter();
8589 snapshotLock.lock();
8590 snapshotChildrenLock.lock();
8591
8592 // debug code
8593 // if (it != sm->mHDData->mHDAttachments.begin())
8594 // {
8595 // rc = setError (E_FAIL, "Simulated failure");
8596 // break;
8597 //}
8598
8599 if (SUCCEEDED (rc))
8600 rc = mParent->unregisterDiffHardDisk (hd);
8601 else
8602 hd->clearBusyWithChildren();
8603
8604 CheckComRCBreakRC (rc);
8605 }
8606 }
8607 else if (hd->type() == HardDiskType_NormalHardDisk)
8608 {
8609 /*
8610 * normal vdi has the only child or none
8611 * (checked in the first pass)
8612 */
8613
8614 ComObjPtr <HardDisk> child;
8615 {
8616 AutoLock hdChildrenLock (hd->childrenLock());
8617 if (hd->children().size())
8618 child = hd->children().front();
8619 }
8620
8621 if (child.isNull())
8622 {
8623 aTask.progress->advanceOperation (Bstr (Utf8StrFmt (
8624 tr ("Detaching normal hard disk '%ls'"),
8625 hdRootString.raw())));
8626
8627 /* just deassociate the normal image from this machine */
8628 hd->setMachineId (Guid());
8629 hd->setSnapshotId (Guid());
8630
8631 /* clear the busy flag */
8632 hd->clearBusy();
8633 }
8634 else
8635 {
8636 AutoLock childLock (child);
8637
8638 aTask.progress->advanceOperation (Bstr (Utf8StrFmt (
8639 tr ("Preserving changes to normal hard disk '%ls'"),
8640 hdRootString.raw())));
8641
8642 ComObjPtr <Machine> cm;
8643 ComObjPtr <Snapshot> cs;
8644 ComObjPtr <HardDiskAttachment> childHda;
8645 rc = findHardDiskAttachment (child, &cm, &cs, &childHda);
8646 CheckComRCBreakRC (rc);
8647 /* must be the same machine (checked in the first pass) */
8648 ComAssertBreak (cm->mData->mUuid == mData->mUuid, rc = E_FAIL);
8649
8650 /* merge the child to this basic image */
8651
8652 snapshotChildrenLock.unlock();
8653 snapshotLock.unlock();
8654 alock.leave();
8655
8656 rc = child->asVDI()->mergeImageToParent (aTask.progress);
8657
8658 alock.enter();
8659 snapshotLock.lock();
8660 snapshotChildrenLock.lock();
8661
8662 if (SUCCEEDED (rc))
8663 rc = mParent->unregisterDiffHardDisk (child);
8664 else
8665 hd->clearBusyWithChildren();
8666
8667 CheckComRCBreakRC (rc);
8668
8669 /* replace the child image in the appropriate place */
8670 childHda->updateHardDisk (hd, FALSE /* aDirty */);
8671
8672 if (!cs)
8673 {
8674 aTask.settingsChanged = true;
8675 }
8676 else
8677 {
8678 rc = cm->saveSnapshotSettings (cs, SaveSS_UpdateAllOp);
8679 CheckComRCBreakRC (rc);
8680 }
8681 }
8682 }
8683 else
8684 {
8685 ComAssertMsgFailedBreak (("Invalid hard disk type %d\n", hd->type()),
8686 rc = E_FAIL);
8687 }
8688 }
8689
8690 /* fetch the current error info */
8691 ErrorInfo mergeEi;
8692 HRESULT mergeRc = rc;
8693
8694 if (FAILED (rc))
8695 {
8696 /* clear the busy flag on the rest of hard disks */
8697 for (++ it; it != sm->mHDData->mHDAttachments.end(); ++ it)
8698 (*it)->hardDisk()->clearBusyWithChildren();
8699 }
8700
8701 /*
8702 * we have to try to discard the snapshot even if merging failed
8703 * because some images might have been already merged (and deleted)
8704 */
8705
8706 do
8707 {
8708 LogFlowThisFunc (("Discarding the snapshot (reparenting children)...\n"));
8709
8710 ComObjPtr <Snapshot> parentSnapshot = aTask.snapshot->parent();
8711
8712 /// @todo (dmik):
8713 // when we introduce clones later, discarding the snapshot
8714 // will affect the current and first snapshots of clones, if they are
8715 // direct children of this snapshot. So we will need to lock machines
8716 // associated with child snapshots as well and update mCurrentSnapshot
8717 // and/or mFirstSnapshot fields.
8718
8719 if (aTask.snapshot == mData->mCurrentSnapshot)
8720 {
8721 /* currently, the parent snapshot must refer to the same machine */
8722 ComAssertBreak (
8723 !parentSnapshot ||
8724 parentSnapshot->data().mMachine->mData->mUuid == mData->mUuid,
8725 rc = E_FAIL);
8726 mData->mCurrentSnapshot = parentSnapshot;
8727 /* mark the current state as modified */
8728 mData->mCurrentStateModified = TRUE;
8729 }
8730
8731 if (aTask.snapshot == mData->mFirstSnapshot)
8732 {
8733 /*
8734 * the first snapshot must have only one child when discarded,
8735 * or no children at all
8736 */
8737 ComAssertBreak (aTask.snapshot->children().size() <= 1, rc = E_FAIL);
8738
8739 if (aTask.snapshot->children().size() == 1)
8740 {
8741 ComObjPtr <Snapshot> childSnapshot = aTask.snapshot->children().front();
8742 ComAssertBreak (
8743 childSnapshot->data().mMachine->mData->mUuid == mData->mUuid,
8744 rc = E_FAIL);
8745 mData->mFirstSnapshot = childSnapshot;
8746 }
8747 else
8748 mData->mFirstSnapshot.setNull();
8749 }
8750
8751 /// @todo (dmik)
8752 // if we implement some warning mechanism later, we'll have
8753 // to return a warning if the state file path cannot be deleted
8754 Bstr stateFilePath = aTask.snapshot->stateFilePath();
8755 if (stateFilePath)
8756 RTFileDelete (Utf8Str (stateFilePath));
8757
8758 aTask.snapshot->discard();
8759
8760 rc = saveSnapshotSettings (parentSnapshot,
8761 SaveSS_UpdateAllOp | SaveSS_UpdateCurrentId);
8762 }
8763 while (0);
8764
8765 /* restore the merge error if any */
8766 if (FAILED (mergeRc))
8767 {
8768 rc = mergeRc;
8769 setError (mergeEi);
8770 }
8771 }
8772 while (0);
8773
8774 if (!aTask.subTask || FAILED (rc))
8775 {
8776 if (!aTask.subTask)
8777 {
8778 /* save current error info */
8779 ErrorInfo ei;
8780
8781 /* restore the machine state */
8782 setMachineState (aTask.state);
8783 updateMachineStateOnClient();
8784
8785 /*
8786 * save settings anyway, since we've already changed the current
8787 * machine configuration
8788 */
8789 if (aTask.settingsChanged)
8790 {
8791 saveSettings (true /* aMarkCurStateAsModified */,
8792 true /* aInformCallbacksAnyway */);
8793 }
8794
8795 /* restore current error info */
8796 setError (ei);
8797 }
8798
8799 /* set the result (this will try to fetch current error info on failure) */
8800 aTask.progress->notifyComplete (rc);
8801 }
8802
8803 if (SUCCEEDED (rc))
8804 mParent->onSnapshotDiscarded (mData->mUuid, snapshotId);
8805
8806 LogFlowThisFunc (("Done discarding snapshot (rc=%08X)\n", rc));
8807 LogFlowThisFuncLeave();
8808}
8809
8810/**
8811 * Discard current state task handler.
8812 * Must be called only by DiscardCurrentStateTask::handler()!
8813 *
8814 * @note Locks mParent + this object for writing.
8815 */
8816void SessionMachine::discardCurrentStateHandler (DiscardCurrentStateTask &aTask)
8817{
8818 LogFlowThisFuncEnter();
8819
8820 AutoCaller autoCaller (this);
8821
8822 LogFlowThisFunc (("state=%d\n", autoCaller.state()));
8823 if (!autoCaller.isOk())
8824 {
8825 /*
8826 * we might have been uninitialized because the session was
8827 * accidentally closed by the client, so don't assert
8828 */
8829 aTask.progress->notifyComplete (
8830 E_FAIL, COM_IIDOF (IMachine), getComponentName(),
8831 tr ("The session has been accidentally closed"));
8832
8833 LogFlowThisFuncLeave();
8834 return;
8835 }
8836
8837 /* mParent is locked because of Progress::notifyComplete(), etc. */
8838 AutoMultiLock <2> alock (mParent->wlock(), this->wlock());
8839
8840 /*
8841 * discard all current changes to mUserData (name, OSType etc.)
8842 * (note that the machine is powered off, so there is no need
8843 * to inform the direct session)
8844 */
8845 if (isModified())
8846 rollback (false /* aNotify */);
8847
8848 HRESULT rc = S_OK;
8849
8850 bool errorInSubtask = false;
8851 bool stateRestored = false;
8852
8853 const bool isLastSnapshot = mData->mCurrentSnapshot->parent().isNull();
8854
8855 do
8856 {
8857 /*
8858 * discard the saved state file if the machine was Saved prior
8859 * to this operation
8860 */
8861 if (aTask.state == MachineState_Saved)
8862 {
8863 Assert (!mSSData->mStateFilePath.isEmpty());
8864 RTFileDelete (Utf8Str (mSSData->mStateFilePath));
8865 mSSData->mStateFilePath.setNull();
8866 aTask.modifyLastState (MachineState_PoweredOff);
8867 rc = saveStateSettings (SaveSTS_StateFilePath);
8868 CheckComRCBreakRC (rc);
8869 }
8870
8871 if (aTask.discardCurrentSnapshot && !isLastSnapshot)
8872 {
8873 /*
8874 * the "discard current snapshot and state" task is in action,
8875 * the current snapshot is not the last one.
8876 * Discard the current snapshot first.
8877 */
8878
8879 DiscardSnapshotTask subTask (aTask, mData->mCurrentSnapshot);
8880 subTask.subTask = true;
8881 discardSnapshotHandler (subTask);
8882 aTask.settingsChanged = subTask.settingsChanged;
8883 if (aTask.progress->completed())
8884 {
8885 /*
8886 * the progress can be completed by a subtask only if there was
8887 * a failure
8888 */
8889 Assert (FAILED (aTask.progress->resultCode()));
8890 errorInSubtask = true;
8891 rc = aTask.progress->resultCode();
8892 break;
8893 }
8894 }
8895
8896 LONG64 snapshotTimeStamp = 0;
8897
8898 {
8899 ComObjPtr <Snapshot> curSnapshot = mData->mCurrentSnapshot;
8900 AutoLock snapshotLock (curSnapshot);
8901
8902 /* remember the timestamp of the snapshot we're restoring from */
8903 snapshotTimeStamp = curSnapshot->data().mTimeStamp;
8904
8905 /* copy all hardware data from the current snapshot */
8906 copyFrom (curSnapshot->data().mMachine);
8907
8908 LogFlowThisFunc (("Restoring VDIs from the snapshot...\n"));
8909
8910 /* restore the attachmends from the snapshot */
8911 mHDData.backup();
8912 mHDData->mHDAttachments =
8913 curSnapshot->data().mMachine->mHDData->mHDAttachments;
8914
8915 snapshotLock.unlock();
8916 alock.leave();
8917 rc = createSnapshotDiffs (NULL, mUserData->mSnapshotFolderFull,
8918 aTask.progress,
8919 false /* aOnline */);
8920 alock.enter();
8921 snapshotLock.lock();
8922
8923 if (FAILED (rc))
8924 {
8925 /* here we can still safely rollback, so do it */
8926 ErrorInfo ei;
8927 /* undo all changes */
8928 rollback (false /* aNotify */);
8929 setError (ei);
8930 break;
8931 }
8932
8933 /*
8934 * note: old VDIs will be deassociated/deleted on #commit() called
8935 * either from #saveSettings() or directly at the end
8936 */
8937
8938 /* should not have a saved state file associated at this point */
8939 Assert (mSSData->mStateFilePath.isNull());
8940
8941 if (curSnapshot->stateFilePath())
8942 {
8943 Utf8Str snapStateFilePath = curSnapshot->stateFilePath();
8944
8945 Utf8Str stateFilePath = Utf8StrFmt ("%ls%c{%Vuuid}.sav",
8946 mUserData->mSnapshotFolderFull.raw(),
8947 RTPATH_DELIMITER, mData->mUuid.raw());
8948
8949 LogFlowThisFunc (("Copying saved state file from '%s' to '%s'...\n",
8950 snapStateFilePath.raw(), stateFilePath.raw()));
8951
8952 aTask.progress->advanceOperation (
8953 Bstr (tr ("Restoring the execution state")));
8954
8955 /* copy the state file */
8956 snapshotLock.unlock();
8957 alock.leave();
8958 int vrc = RTFileCopyEx (snapStateFilePath, stateFilePath,
8959 progressCallback, aTask.progress);
8960 alock.enter();
8961 snapshotLock.lock();
8962
8963 if (VBOX_SUCCESS (vrc))
8964 {
8965 mSSData->mStateFilePath = stateFilePath;
8966 }
8967 else
8968 {
8969 rc = setError (E_FAIL,
8970 tr ("Could not copy the state file '%s' to '%s' (%Vrc)"),
8971 snapStateFilePath.raw(), stateFilePath.raw(), vrc);
8972 break;
8973 }
8974 }
8975 }
8976
8977 bool informCallbacks = false;
8978
8979 if (aTask.discardCurrentSnapshot && isLastSnapshot)
8980 {
8981 /*
8982 * discard the current snapshot and state task is in action,
8983 * the current snapshot is the last one.
8984 * Discard the current snapshot after discarding the current state.
8985 */
8986
8987 /* commit changes to fixup hard disks before discarding */
8988 rc = commit();
8989 if (SUCCEEDED (rc))
8990 {
8991 DiscardSnapshotTask subTask (aTask, mData->mCurrentSnapshot);
8992 subTask.subTask = true;
8993 discardSnapshotHandler (subTask);
8994 aTask.settingsChanged = subTask.settingsChanged;
8995 if (aTask.progress->completed())
8996 {
8997 /*
8998 * the progress can be completed by a subtask only if there
8999 * was a failure
9000 */
9001 Assert (FAILED (aTask.progress->resultCode()));
9002 errorInSubtask = true;
9003 rc = aTask.progress->resultCode();
9004 }
9005 }
9006
9007 /*
9008 * we've committed already, so inform callbacks anyway to ensure
9009 * they don't miss some change
9010 */
9011 informCallbacks = true;
9012 }
9013
9014 /*
9015 * we have already discarded the current state, so set the
9016 * execution state accordingly no matter of the discard snapshot result
9017 */
9018 if (mSSData->mStateFilePath)
9019 setMachineState (MachineState_Saved);
9020 else
9021 setMachineState (MachineState_PoweredOff);
9022
9023 updateMachineStateOnClient();
9024 stateRestored = true;
9025
9026 if (errorInSubtask)
9027 break;
9028
9029 /* assign the timestamp from the snapshot */
9030 Assert (snapshotTimeStamp != 0);
9031 mData->mLastStateChange = snapshotTimeStamp;
9032
9033 /* mark the current state as not modified */
9034 mData->mCurrentStateModified = FALSE;
9035
9036 /* save all settings and commit */
9037 rc = saveSettings (false /* aMarkCurStateAsModified */,
9038 informCallbacks);
9039 aTask.settingsChanged = false;
9040 }
9041 while (0);
9042
9043 if (FAILED (rc))
9044 {
9045 ErrorInfo ei;
9046
9047 if (!stateRestored)
9048 {
9049 /* restore the machine state */
9050 setMachineState (aTask.state);
9051 updateMachineStateOnClient();
9052 }
9053
9054 /*
9055 * save all settings and commit if still modified (there is no way to
9056 * rollback properly). Note that isModified() will return true after
9057 * copyFrom(). Also save the settings if requested by the subtask.
9058 */
9059 if (isModified() || aTask.settingsChanged)
9060 {
9061 if (aTask.settingsChanged)
9062 saveSettings (true /* aMarkCurStateAsModified */,
9063 true /* aInformCallbacksAnyway */);
9064 else
9065 saveSettings();
9066 }
9067
9068 setError (ei);
9069 }
9070
9071 if (!errorInSubtask)
9072 {
9073 /* set the result (this will try to fetch current error info on failure) */
9074 aTask.progress->notifyComplete (rc);
9075 }
9076
9077 if (SUCCEEDED (rc))
9078 mParent->onSnapshotDiscarded (mData->mUuid, Guid());
9079
9080 LogFlowThisFunc (("Done discarding current state (rc=%08X)\n", rc));
9081
9082 LogFlowThisFuncLeave();
9083}
9084
9085/**
9086 * Helper to change the machine state (reimplementation).
9087 *
9088 * @note Locks this object for writing.
9089 */
9090HRESULT SessionMachine::setMachineState (MachineState_T aMachineState)
9091{
9092 LogFlowThisFuncEnter();
9093 LogFlowThisFunc (("aMachineState=%d\n", aMachineState));
9094
9095 AutoCaller autoCaller (this);
9096 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
9097
9098 AutoLock alock (this);
9099
9100 MachineState_T oldMachineState = mData->mMachineState;
9101
9102 AssertMsgReturn (oldMachineState != aMachineState,
9103 ("oldMachineState=%d, aMachineState=%d\n",
9104 oldMachineState, aMachineState), E_FAIL);
9105
9106 HRESULT rc = S_OK;
9107
9108 int stsFlags = 0;
9109 bool deleteSavedState = false;
9110
9111 /* detect some state transitions */
9112
9113 if (oldMachineState < MachineState_Running &&
9114 aMachineState >= MachineState_Running &&
9115 aMachineState != MachineState_Discarding)
9116 {
9117 /*
9118 * the EMT thread is about to start, so mark attached HDDs as busy
9119 * and all its ancestors as being in use
9120 */
9121 for (HDData::HDAttachmentList::const_iterator it =
9122 mHDData->mHDAttachments.begin();
9123 it != mHDData->mHDAttachments.end();
9124 ++ it)
9125 {
9126 ComObjPtr <HardDisk> hd = (*it)->hardDisk();
9127 AutoLock hdLock (hd);
9128 hd->setBusy();
9129 hd->addReaderOnAncestors();
9130 }
9131 }
9132 else
9133 if (oldMachineState >= MachineState_Running &&
9134 oldMachineState != MachineState_Discarding &&
9135 aMachineState < MachineState_Running)
9136 {
9137 /*
9138 * the EMT thread stopped, so mark attached HDDs as no more busy
9139 * and remove the in-use flag from all its ancestors
9140 */
9141 for (HDData::HDAttachmentList::const_iterator it =
9142 mHDData->mHDAttachments.begin();
9143 it != mHDData->mHDAttachments.end();
9144 ++ it)
9145 {
9146 ComObjPtr <HardDisk> hd = (*it)->hardDisk();
9147 AutoLock hdLock (hd);
9148 hd->releaseReaderOnAncestors();
9149 hd->clearBusy();
9150 }
9151 }
9152
9153 if (oldMachineState == MachineState_Restoring)
9154 {
9155 if (aMachineState != MachineState_Saved)
9156 {
9157 /*
9158 * delete the saved state file once the machine has finished
9159 * restoring from it (note that Console sets the state from
9160 * Restoring to Saved if the VM couldn't restore successfully,
9161 * to give the user an ability to fix an error and retry --
9162 * we keep the saved state file in this case)
9163 */
9164 deleteSavedState = true;
9165 }
9166 }
9167 else
9168 if (oldMachineState == MachineState_Saved &&
9169 (aMachineState == MachineState_PoweredOff ||
9170 aMachineState == MachineState_Aborted))
9171 {
9172 /*
9173 * delete the saved state after Console::DiscardSavedState() is called
9174 * or if the VM process (owning a direct VM session) crashed while the
9175 * VM was Saved
9176 */
9177
9178 /// @todo (dmik)
9179 // Not sure that deleting the saved state file just because of the
9180 // client death before it attempted to restore the VM is a good
9181 // thing. But when it crashes we need to go to the Aborted state
9182 // which cannot have the saved state file associated... The only
9183 // way to fix this is to make the Aborted condition not a VM state
9184 // but a bool flag: i.e., when a crash occurs, set it to true and
9185 // change the state to PoweredOff or Saved depending on the
9186 // saved state presence.
9187
9188 deleteSavedState = true;
9189 mData->mCurrentStateModified = TRUE;
9190 stsFlags |= SaveSTS_CurStateModified;
9191 }
9192
9193 if (aMachineState == MachineState_Starting ||
9194 aMachineState == MachineState_Restoring)
9195 {
9196 /*
9197 * set the current state modified flag to indicate that the
9198 * current state is no more identical to the state in the
9199 * current snapshot
9200 */
9201 if (!mData->mCurrentSnapshot.isNull())
9202 {
9203 mData->mCurrentStateModified = TRUE;
9204 stsFlags |= SaveSTS_CurStateModified;
9205 }
9206 }
9207
9208 if (deleteSavedState == true)
9209 {
9210 Assert (!mSSData->mStateFilePath.isEmpty());
9211 RTFileDelete (Utf8Str (mSSData->mStateFilePath));
9212 mSSData->mStateFilePath.setNull();
9213 stsFlags |= SaveSTS_StateFilePath;
9214 }
9215
9216 /* redirect to the underlying peer machine */
9217 mPeer->setMachineState (aMachineState);
9218
9219 if (aMachineState == MachineState_PoweredOff ||
9220 aMachineState == MachineState_Aborted ||
9221 aMachineState == MachineState_Saved)
9222 {
9223 stsFlags |= SaveSTS_StateTimeStamp;
9224 }
9225
9226 rc = saveStateSettings (stsFlags);
9227
9228 if ((oldMachineState != MachineState_PoweredOff &&
9229 oldMachineState != MachineState_Aborted) &&
9230 (aMachineState == MachineState_PoweredOff ||
9231 aMachineState == MachineState_Aborted))
9232 {
9233 /*
9234 * clear differencing hard disks based on immutable hard disks
9235 * once we've been shut down for any reason
9236 */
9237 rc = wipeOutImmutableDiffs();
9238 }
9239
9240 LogFlowThisFunc (("rc=%08X\n", rc));
9241 LogFlowThisFuncLeave();
9242 return rc;
9243}
9244
9245/**
9246 * Sends the current machine state value to the VM process.
9247 *
9248 * @note Locks this object for reading, then calls a client process.
9249 */
9250HRESULT SessionMachine::updateMachineStateOnClient()
9251{
9252 AutoCaller autoCaller (this);
9253 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
9254
9255 ComPtr <IInternalSessionControl> directControl;
9256 {
9257 AutoReaderLock alock (this);
9258 AssertReturn (!!mData, E_FAIL);
9259 directControl = mData->mSession.mDirectControl;
9260
9261 /* directControl may be already set to NULL here in #OnSessionEnd()
9262 * called too early by the direct session process while there is still
9263 * some operation (like discarding the snapshot) in progress. The client
9264 * process in this case is waiting inside Session::close() for the
9265 * "end session" process object to complete, while #uninit() called by
9266 * #checkForDeath() on the Watcher thread is waiting for the pending
9267 * operation to complete. For now, we accept this inconsitent behavior
9268 * and simply do nothing here. */
9269
9270 if (mData->mSession.mState == SessionState_SessionClosing)
9271 return S_OK;
9272
9273 AssertReturn (!directControl.isNull(), E_FAIL);
9274 }
9275
9276 return directControl->UpdateMachineState (mData->mMachineState);
9277}
9278
9279/* static */
9280DECLCALLBACK(int) SessionMachine::taskHandler (RTTHREAD thread, void *pvUser)
9281{
9282 AssertReturn (pvUser, VERR_INVALID_POINTER);
9283
9284 Task *task = static_cast <Task *> (pvUser);
9285 task->handler();
9286
9287 // it's our responsibility to delete the task
9288 delete task;
9289
9290 return 0;
9291}
9292
9293/////////////////////////////////////////////////////////////////////////////
9294// SnapshotMachine class
9295/////////////////////////////////////////////////////////////////////////////
9296
9297DEFINE_EMPTY_CTOR_DTOR (SnapshotMachine)
9298
9299HRESULT SnapshotMachine::FinalConstruct()
9300{
9301 LogFlowThisFunc (("\n"));
9302
9303 /* set the proper type to indicate we're the SnapshotMachine instance */
9304 unconst (mType) = IsSnapshotMachine;
9305
9306 return S_OK;
9307}
9308
9309void SnapshotMachine::FinalRelease()
9310{
9311 LogFlowThisFunc (("\n"));
9312
9313 uninit();
9314}
9315
9316/**
9317 * Initializes the SnapshotMachine object when taking a snapshot.
9318 *
9319 * @param aSessionMachine machine to take a snapshot from
9320 * @param aSnapshotId snapshot ID of this snapshot machine
9321 * @param aStateFilePath file where the execution state will be later saved
9322 * (or NULL for the offline snapshot)
9323 *
9324 * @note Locks aSessionMachine object for reading.
9325 */
9326HRESULT SnapshotMachine::init (SessionMachine *aSessionMachine,
9327 INPTR GUIDPARAM aSnapshotId,
9328 INPTR BSTR aStateFilePath)
9329{
9330 LogFlowThisFuncEnter();
9331 LogFlowThisFunc (("mName={%ls}\n", aSessionMachine->mUserData->mName.raw()));
9332
9333 AssertReturn (aSessionMachine && !Guid (aSnapshotId).isEmpty(), E_INVALIDARG);
9334
9335 /* Enclose the state transition NotReady->InInit->Ready */
9336 AutoInitSpan autoInitSpan (this);
9337 AssertReturn (autoInitSpan.isOk(), E_UNEXPECTED);
9338
9339 mSnapshotId = aSnapshotId;
9340
9341 AutoReaderLock alock (aSessionMachine);
9342
9343 /* memorize the primary Machine instance (i.e. not SessionMachine!) */
9344 unconst (mPeer) = aSessionMachine->mPeer;
9345 /* share the parent pointer */
9346 unconst (mParent) = mPeer->mParent;
9347
9348 /* take the pointer to Data to share */
9349 mData.share (mPeer->mData);
9350 /*
9351 * take the pointer to UserData to share
9352 * (our UserData must always be the same as Machine's data)
9353 */
9354 mUserData.share (mPeer->mUserData);
9355 /* make a private copy of all other data (recent changes from SessionMachine) */
9356 mHWData.attachCopy (aSessionMachine->mHWData);
9357 mHDData.attachCopy (aSessionMachine->mHDData);
9358
9359 /* SSData is always unique for SnapshotMachine */
9360 mSSData.allocate();
9361 mSSData->mStateFilePath = aStateFilePath;
9362
9363 /*
9364 * create copies of all shared folders (mHWData after attiching a copy
9365 * contains just references to original objects)
9366 */
9367 for (HWData::SharedFolderList::iterator it = mHWData->mSharedFolders.begin();
9368 it != mHWData->mSharedFolders.end();
9369 ++ it)
9370 {
9371 ComObjPtr <SharedFolder> folder;
9372 folder.createObject();
9373 HRESULT rc = folder->initCopy (this, *it);
9374 CheckComRCReturnRC (rc);
9375 *it = folder;
9376 }
9377
9378 /* create all other child objects that will be immutable private copies */
9379
9380 unconst (mBIOSSettings).createObject();
9381 mBIOSSettings->initCopy (this, mPeer->mBIOSSettings);
9382
9383#ifdef VBOX_VRDP
9384 unconst (mVRDPServer).createObject();
9385 mVRDPServer->initCopy (this, mPeer->mVRDPServer);
9386#endif
9387
9388 unconst (mDVDDrive).createObject();
9389 mDVDDrive->initCopy (this, mPeer->mDVDDrive);
9390
9391 unconst (mFloppyDrive).createObject();
9392 mFloppyDrive->initCopy (this, mPeer->mFloppyDrive);
9393
9394 unconst (mAudioAdapter).createObject();
9395 mAudioAdapter->initCopy (this, mPeer->mAudioAdapter);
9396
9397 unconst (mUSBController).createObject();
9398 mUSBController->initCopy (this, mPeer->mUSBController);
9399
9400 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
9401 {
9402 unconst (mNetworkAdapters [slot]).createObject();
9403 mNetworkAdapters [slot]->initCopy (this, mPeer->mNetworkAdapters [slot]);
9404 }
9405
9406 /* Confirm a successful initialization when it's the case */
9407 autoInitSpan.setSucceeded();
9408
9409 LogFlowThisFuncLeave();
9410 return S_OK;
9411}
9412
9413/**
9414 * Initializes the SnapshotMachine object when loading from the settings file.
9415 *
9416 * @param aMachine machine the snapshot belngs to
9417 * @param aHWNode <Hardware> node
9418 * @param aHDAsNode <HardDiskAttachments> node
9419 * @param aSnapshotId snapshot ID of this snapshot machine
9420 * @param aStateFilePath file where the execution state is saved
9421 * (or NULL for the offline snapshot)
9422 *
9423 * @note Locks aMachine object for reading.
9424 */
9425HRESULT SnapshotMachine::init (Machine *aMachine, CFGNODE aHWNode, CFGNODE aHDAsNode,
9426 INPTR GUIDPARAM aSnapshotId, INPTR BSTR aStateFilePath)
9427{
9428 LogFlowThisFuncEnter();
9429 LogFlowThisFunc (("mName={%ls}\n", aMachine->mUserData->mName.raw()));
9430
9431 AssertReturn (aMachine && aHWNode && aHDAsNode && !Guid (aSnapshotId).isEmpty(),
9432 E_INVALIDARG);
9433
9434 /* Enclose the state transition NotReady->InInit->Ready */
9435 AutoInitSpan autoInitSpan (this);
9436 AssertReturn (autoInitSpan.isOk(), E_UNEXPECTED);
9437
9438 mSnapshotId = aSnapshotId;
9439
9440 AutoReaderLock alock (aMachine);
9441
9442 /* memorize the primary Machine instance */
9443 unconst (mPeer) = aMachine;
9444 /* share the parent pointer */
9445 unconst (mParent) = mPeer->mParent;
9446
9447 /* take the pointer to Data to share */
9448 mData.share (mPeer->mData);
9449 /*
9450 * take the pointer to UserData to share
9451 * (our UserData must always be the same as Machine's data)
9452 */
9453 mUserData.share (mPeer->mUserData);
9454 /* allocate private copies of all other data (will be loaded from settings) */
9455 mHWData.allocate();
9456 mHDData.allocate();
9457
9458 /* SSData is always unique for SnapshotMachine */
9459 mSSData.allocate();
9460 mSSData->mStateFilePath = aStateFilePath;
9461
9462 /* create all other child objects that will be immutable private copies */
9463
9464 unconst (mBIOSSettings).createObject();
9465 mBIOSSettings->init (this);
9466
9467#ifdef VBOX_VRDP
9468 unconst (mVRDPServer).createObject();
9469 mVRDPServer->init (this);
9470#endif
9471
9472 unconst (mDVDDrive).createObject();
9473 mDVDDrive->init (this);
9474
9475 unconst (mFloppyDrive).createObject();
9476 mFloppyDrive->init (this);
9477
9478 unconst (mAudioAdapter).createObject();
9479 mAudioAdapter->init (this);
9480
9481 unconst (mUSBController).createObject();
9482 mUSBController->init (this);
9483
9484 for (ULONG slot = 0; slot < ELEMENTS (mNetworkAdapters); slot ++)
9485 {
9486 unconst (mNetworkAdapters [slot]).createObject();
9487 mNetworkAdapters [slot]->init (this, slot);
9488 }
9489
9490 /* load hardware and harddisk settings */
9491
9492 HRESULT rc = loadHardware (aHWNode);
9493 if (SUCCEEDED (rc))
9494 rc = loadHardDisks (aHDAsNode, true /* aRegistered */, &mSnapshotId);
9495
9496 if (SUCCEEDED (rc))
9497 {
9498 /* commit all changes made during the initialization */
9499 commit();
9500 }
9501
9502 /* Confirm a successful initialization when it's the case */
9503 if (SUCCEEDED (rc))
9504 autoInitSpan.setSucceeded();
9505
9506 LogFlowThisFuncLeave();
9507 return rc;
9508}
9509
9510/**
9511 * Uninitializes this SnapshotMachine object.
9512 */
9513void SnapshotMachine::uninit()
9514{
9515 LogFlowThisFuncEnter();
9516
9517 /* Enclose the state transition Ready->InUninit->NotReady */
9518 AutoUninitSpan autoUninitSpan (this);
9519 if (autoUninitSpan.uninitDone())
9520 return;
9521
9522 uninitDataAndChildObjects();
9523
9524 unconst (mParent).setNull();
9525 unconst (mPeer).setNull();
9526
9527 LogFlowThisFuncLeave();
9528}
9529
9530// AutoLock::Lockable interface
9531////////////////////////////////////////////////////////////////////////////////
9532
9533/**
9534 * Overrides VirtualBoxBase::lockHandle() in order to share the lock handle
9535 * with the primary Machine instance (mPeer).
9536 */
9537AutoLock::Handle *SnapshotMachine::lockHandle() const
9538{
9539 AssertReturn (!mPeer.isNull(), NULL);
9540 return mPeer->lockHandle();
9541}
9542
9543// public methods only for internal purposes
9544////////////////////////////////////////////////////////////////////////////////
9545
9546/**
9547 * Called by the snapshot object associated with this SnapshotMachine when
9548 * snapshot data such as name or description is changed.
9549 *
9550 * @note Locks this object for writing.
9551 */
9552HRESULT SnapshotMachine::onSnapshotChange (Snapshot *aSnapshot)
9553{
9554 AutoLock alock (this);
9555
9556 mPeer->saveSnapshotSettings (aSnapshot, SaveSS_UpdateAttrsOp);
9557
9558 /* inform callbacks */
9559 mParent->onSnapshotChange (mData->mUuid, aSnapshot->data().mId);
9560
9561 return S_OK;
9562}
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