VirtualBox

source: vbox/trunk/src/VBox/Main/SnapshotImpl.cpp@ 28800

Last change on this file since 28800 was 28800, checked in by vboxsync, 14 years ago

Automated rebranding to Oracle copyright/license strings via filemuncher

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 101.1 KB
Line 
1/* $Id: SnapshotImpl.cpp 28800 2010-04-27 08:22:32Z vboxsync $ */
2
3/** @file
4 *
5 * COM class implementation for Snapshot and SnapshotMachine in VBoxSVC.
6 */
7
8/*
9 * Copyright (C) 2006-2010 Oracle Corporation
10 *
11 * This file is part of VirtualBox Open Source Edition (OSE), as
12 * available from http://www.virtualbox.org. This file is free software;
13 * you can redistribute it and/or modify it under the terms of the GNU
14 * General Public License (GPL) as published by the Free Software
15 * Foundation, in version 2 as it comes in the "COPYING" file of the
16 * VirtualBox OSE distribution. VirtualBox OSE is distributed in the
17 * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
18 */
19
20#include "Logging.h"
21#include "SnapshotImpl.h"
22
23#include "MachineImpl.h"
24#include "MediumImpl.h"
25#include "Global.h"
26#include "ProgressImpl.h"
27
28// @todo these three includes are required for about one or two lines, try
29// to remove them and put that code in shared code in MachineImplcpp
30#include "SharedFolderImpl.h"
31#include "USBControllerImpl.h"
32#include "VirtualBoxImpl.h"
33
34#include "AutoCaller.h"
35
36#include <iprt/path.h>
37#include <VBox/param.h>
38#include <VBox/err.h>
39
40#include <VBox/settings.h>
41
42////////////////////////////////////////////////////////////////////////////////
43//
44// Globals
45//
46////////////////////////////////////////////////////////////////////////////////
47
48/**
49 * Progress callback handler for lengthy operations
50 * (corresponds to the FNRTPROGRESS typedef).
51 *
52 * @param uPercentage Completetion precentage (0-100).
53 * @param pvUser Pointer to the Progress instance.
54 */
55static DECLCALLBACK(int) progressCallback(unsigned uPercentage, void *pvUser)
56{
57 IProgress *progress = static_cast<IProgress*>(pvUser);
58
59 /* update the progress object */
60 if (progress)
61 progress->SetCurrentOperationProgress(uPercentage);
62
63 return VINF_SUCCESS;
64}
65
66////////////////////////////////////////////////////////////////////////////////
67//
68// Snapshot private data definition
69//
70////////////////////////////////////////////////////////////////////////////////
71
72typedef std::list< ComObjPtr<Snapshot> > SnapshotsList;
73
74struct Snapshot::Data
75{
76 Data()
77 : pVirtualBox(NULL)
78 {
79 RTTimeSpecSetMilli(&timeStamp, 0);
80 };
81
82 ~Data()
83 {}
84
85 const Guid uuid;
86 Utf8Str strName;
87 Utf8Str strDescription;
88 RTTIMESPEC timeStamp;
89 ComObjPtr<SnapshotMachine> pMachine;
90
91 /** weak VirtualBox parent */
92 VirtualBox * const pVirtualBox;
93
94 // pParent and llChildren are protected by Machine::snapshotsTreeLockHandle()
95 ComObjPtr<Snapshot> pParent;
96 SnapshotsList llChildren;
97};
98
99////////////////////////////////////////////////////////////////////////////////
100//
101// Constructor / destructor
102//
103////////////////////////////////////////////////////////////////////////////////
104
105HRESULT Snapshot::FinalConstruct()
106{
107 LogFlowThisFunc(("\n"));
108 return S_OK;
109}
110
111void Snapshot::FinalRelease()
112{
113 LogFlowThisFunc(("\n"));
114 uninit();
115}
116
117/**
118 * Initializes the instance
119 *
120 * @param aId id of the snapshot
121 * @param aName name of the snapshot
122 * @param aDescription name of the snapshot (NULL if no description)
123 * @param aTimeStamp timestamp of the snapshot, in ms since 1970-01-01 UTC
124 * @param aMachine machine associated with this snapshot
125 * @param aParent parent snapshot (NULL if no parent)
126 */
127HRESULT Snapshot::init(VirtualBox *aVirtualBox,
128 const Guid &aId,
129 const Utf8Str &aName,
130 const Utf8Str &aDescription,
131 const RTTIMESPEC &aTimeStamp,
132 SnapshotMachine *aMachine,
133 Snapshot *aParent)
134{
135 LogFlowThisFunc(("uuid=%s aParent->uuid=%s\n", aId.toString().c_str(), (aParent) ? aParent->m->uuid.toString().c_str() : ""));
136
137 ComAssertRet(!aId.isEmpty() && !aName.isEmpty() && aMachine, E_INVALIDARG);
138
139 /* Enclose the state transition NotReady->InInit->Ready */
140 AutoInitSpan autoInitSpan(this);
141 AssertReturn(autoInitSpan.isOk(), E_FAIL);
142
143 m = new Data;
144
145 /* share parent weakly */
146 unconst(m->pVirtualBox) = aVirtualBox;
147
148 m->pParent = aParent;
149
150 unconst(m->uuid) = aId;
151 m->strName = aName;
152 m->strDescription = aDescription;
153 m->timeStamp = aTimeStamp;
154 m->pMachine = aMachine;
155
156 if (aParent)
157 aParent->m->llChildren.push_back(this);
158
159 /* Confirm a successful initialization when it's the case */
160 autoInitSpan.setSucceeded();
161
162 return S_OK;
163}
164
165/**
166 * Uninitializes the instance and sets the ready flag to FALSE.
167 * Called either from FinalRelease(), by the parent when it gets destroyed,
168 * or by a third party when it decides this object is no more valid.
169 *
170 * Since this manipulates the snapshots tree, the caller must hold the
171 * machine lock in write mode (which protects the snapshots tree)!
172 */
173void Snapshot::uninit()
174{
175 LogFlowThisFunc(("\n"));
176
177 /* Enclose the state transition Ready->InUninit->NotReady */
178 AutoUninitSpan autoUninitSpan(this);
179 if (autoUninitSpan.uninitDone())
180 return;
181
182 Assert(m->pMachine->isWriteLockOnCurrentThread());
183
184 // uninit all children
185 SnapshotsList::iterator it;
186 for (it = m->llChildren.begin();
187 it != m->llChildren.end();
188 ++it)
189 {
190 Snapshot *pChild = *it;
191 pChild->m->pParent.setNull();
192 pChild->uninit();
193 }
194 m->llChildren.clear(); // this unsets all the ComPtrs and probably calls delete
195
196 if (m->pParent)
197 deparent();
198
199 if (m->pMachine)
200 {
201 m->pMachine->uninit();
202 m->pMachine.setNull();
203 }
204
205 delete m;
206 m = NULL;
207}
208
209/**
210 * Delete the current snapshot by removing it from the tree of snapshots
211 * and reparenting its children.
212 *
213 * After this, the caller must call uninit() on the snapshot. We can't call
214 * that from here because if we do, the AutoUninitSpan waits forever for
215 * the number of callers to become 0 (it is 1 because of the AutoCaller in here).
216 *
217 * NOTE: this does NOT lock the snapshot, it is assumed that the machine state
218 * (and the snapshots tree) is protected by the caller having requested the machine
219 * lock in write mode AND the machine state must be DeletingSnapshot.
220 */
221void Snapshot::beginSnapshotDelete()
222{
223 AutoCaller autoCaller(this);
224 if (FAILED(autoCaller.rc()))
225 return;
226
227 // caller must have acquired the machine's write lock
228 Assert(m->pMachine->mData->mMachineState == MachineState_DeletingSnapshot);
229 Assert(m->pMachine->isWriteLockOnCurrentThread());
230
231 // the snapshot must have only one child when being deleted or no children at all
232 AssertReturnVoid(m->llChildren.size() <= 1);
233
234 ComObjPtr<Snapshot> parentSnapshot = m->pParent;
235
236 /// @todo (dmik):
237 // when we introduce clones later, deleting the snapshot will affect
238 // the current and first snapshots of clones, if they are direct children
239 // of this snapshot. So we will need to lock machines associated with
240 // child snapshots as well and update mCurrentSnapshot and/or
241 // mFirstSnapshot fields.
242
243 if (this == m->pMachine->mData->mCurrentSnapshot)
244 {
245 m->pMachine->mData->mCurrentSnapshot = parentSnapshot;
246
247 /* we've changed the base of the current state so mark it as
248 * modified as it no longer guaranteed to be its copy */
249 m->pMachine->mData->mCurrentStateModified = TRUE;
250 }
251
252 if (this == m->pMachine->mData->mFirstSnapshot)
253 {
254 if (m->llChildren.size() == 1)
255 {
256 ComObjPtr<Snapshot> childSnapshot = m->llChildren.front();
257 m->pMachine->mData->mFirstSnapshot = childSnapshot;
258 }
259 else
260 m->pMachine->mData->mFirstSnapshot.setNull();
261 }
262
263 // reparent our children
264 for (SnapshotsList::const_iterator it = m->llChildren.begin();
265 it != m->llChildren.end();
266 ++it)
267 {
268 ComObjPtr<Snapshot> child = *it;
269 // no need to lock, snapshots tree is protected by machine lock
270 child->m->pParent = m->pParent;
271 if (m->pParent)
272 m->pParent->m->llChildren.push_back(child);
273 }
274
275 // clear our own children list (since we reparented the children)
276 m->llChildren.clear();
277}
278
279/**
280 * Internal helper that removes "this" from the list of children of its
281 * parent. Used in uninit() and other places when reparenting is necessary.
282 *
283 * The caller must hold the machine lock in write mode (which protects the snapshots tree)!
284 */
285void Snapshot::deparent()
286{
287 Assert(m->pMachine->isWriteLockOnCurrentThread());
288
289 SnapshotsList &llParent = m->pParent->m->llChildren;
290 for (SnapshotsList::iterator it = llParent.begin();
291 it != llParent.end();
292 ++it)
293 {
294 Snapshot *pParentsChild = *it;
295 if (this == pParentsChild)
296 {
297 llParent.erase(it);
298 break;
299 }
300 }
301
302 m->pParent.setNull();
303}
304
305////////////////////////////////////////////////////////////////////////////////
306//
307// ISnapshot public methods
308//
309////////////////////////////////////////////////////////////////////////////////
310
311STDMETHODIMP Snapshot::COMGETTER(Id)(BSTR *aId)
312{
313 CheckComArgOutPointerValid(aId);
314
315 AutoCaller autoCaller(this);
316 if (FAILED(autoCaller.rc())) return autoCaller.rc();
317
318 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
319
320 m->uuid.toUtf16().cloneTo(aId);
321 return S_OK;
322}
323
324STDMETHODIMP Snapshot::COMGETTER(Name)(BSTR *aName)
325{
326 CheckComArgOutPointerValid(aName);
327
328 AutoCaller autoCaller(this);
329 if (FAILED(autoCaller.rc())) return autoCaller.rc();
330
331 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
332
333 m->strName.cloneTo(aName);
334 return S_OK;
335}
336
337/**
338 * @note Locks this object for writing, then calls Machine::onSnapshotChange()
339 * (see its lock requirements).
340 */
341STDMETHODIMP Snapshot::COMSETTER(Name)(IN_BSTR aName)
342{
343 CheckComArgStrNotEmptyOrNull(aName);
344
345 AutoCaller autoCaller(this);
346 if (FAILED(autoCaller.rc())) return autoCaller.rc();
347
348 Utf8Str strName(aName);
349
350 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
351
352 if (m->strName != strName)
353 {
354 m->strName = strName;
355
356 alock.leave(); /* Important! (child->parent locks are forbidden) */
357
358 // flag the machine as dirty or change won't get saved
359 AutoWriteLock mlock(m->pMachine COMMA_LOCKVAL_SRC_POS);
360 m->pMachine->setModified(Machine::IsModified_Snapshots);
361 mlock.leave();
362
363 return m->pMachine->onSnapshotChange(this);
364 }
365
366 return S_OK;
367}
368
369STDMETHODIMP Snapshot::COMGETTER(Description)(BSTR *aDescription)
370{
371 CheckComArgOutPointerValid(aDescription);
372
373 AutoCaller autoCaller(this);
374 if (FAILED(autoCaller.rc())) return autoCaller.rc();
375
376 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
377
378 m->strDescription.cloneTo(aDescription);
379 return S_OK;
380}
381
382STDMETHODIMP Snapshot::COMSETTER(Description)(IN_BSTR aDescription)
383{
384 AutoCaller autoCaller(this);
385 if (FAILED(autoCaller.rc())) return autoCaller.rc();
386
387 Utf8Str strDescription(aDescription);
388
389 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
390
391 if (m->strDescription != strDescription)
392 {
393 m->strDescription = strDescription;
394
395 alock.leave(); /* Important! (child->parent locks are forbidden) */
396
397 // flag the machine as dirty or change won't get saved
398 AutoWriteLock mlock(m->pMachine COMMA_LOCKVAL_SRC_POS);
399 m->pMachine->setModified(Machine::IsModified_Snapshots);
400 mlock.leave();
401
402 return m->pMachine->onSnapshotChange(this);
403 }
404
405 return S_OK;
406}
407
408STDMETHODIMP Snapshot::COMGETTER(TimeStamp)(LONG64 *aTimeStamp)
409{
410 CheckComArgOutPointerValid(aTimeStamp);
411
412 AutoCaller autoCaller(this);
413 if (FAILED(autoCaller.rc())) return autoCaller.rc();
414
415 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
416
417 *aTimeStamp = RTTimeSpecGetMilli(&m->timeStamp);
418 return S_OK;
419}
420
421STDMETHODIMP Snapshot::COMGETTER(Online)(BOOL *aOnline)
422{
423 CheckComArgOutPointerValid(aOnline);
424
425 AutoCaller autoCaller(this);
426 if (FAILED(autoCaller.rc())) return autoCaller.rc();
427
428 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
429
430 *aOnline = !stateFilePath().isEmpty();
431 return S_OK;
432}
433
434STDMETHODIMP Snapshot::COMGETTER(Machine)(IMachine **aMachine)
435{
436 CheckComArgOutPointerValid(aMachine);
437
438 AutoCaller autoCaller(this);
439 if (FAILED(autoCaller.rc())) return autoCaller.rc();
440
441 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
442
443 m->pMachine.queryInterfaceTo(aMachine);
444 return S_OK;
445}
446
447STDMETHODIMP Snapshot::COMGETTER(Parent)(ISnapshot **aParent)
448{
449 CheckComArgOutPointerValid(aParent);
450
451 AutoCaller autoCaller(this);
452 if (FAILED(autoCaller.rc())) return autoCaller.rc();
453
454 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
455
456 m->pParent.queryInterfaceTo(aParent);
457 return S_OK;
458}
459
460STDMETHODIMP Snapshot::COMGETTER(Children)(ComSafeArrayOut(ISnapshot *, aChildren))
461{
462 CheckComArgOutSafeArrayPointerValid(aChildren);
463
464 AutoCaller autoCaller(this);
465 if (FAILED(autoCaller.rc())) return autoCaller.rc();
466
467 // snapshots tree is protected by machine lock
468 AutoReadLock alock(m->pMachine COMMA_LOCKVAL_SRC_POS);
469
470 SafeIfaceArray<ISnapshot> collection(m->llChildren);
471 collection.detachTo(ComSafeArrayOutArg(aChildren));
472
473 return S_OK;
474}
475
476////////////////////////////////////////////////////////////////////////////////
477//
478// Snapshot public internal methods
479//
480////////////////////////////////////////////////////////////////////////////////
481
482/**
483 * Returns the parent snapshot or NULL if there's none. Must have caller + locking!
484 * @return
485 */
486const ComObjPtr<Snapshot>& Snapshot::getParent() const
487{
488 return m->pParent;
489}
490
491/**
492 * @note
493 * Must be called from under the object's lock!
494 */
495const Utf8Str& Snapshot::stateFilePath() const
496{
497 return m->pMachine->mSSData->mStateFilePath;
498}
499
500/**
501 * @note
502 * Must be called from under the object's write lock!
503 */
504HRESULT Snapshot::deleteStateFile()
505{
506 int vrc = RTFileDelete(m->pMachine->mSSData->mStateFilePath.raw());
507 if (RT_SUCCESS(vrc))
508 m->pMachine->mSSData->mStateFilePath.setNull();
509 return RT_SUCCESS(vrc) ? S_OK : E_FAIL;
510}
511
512/**
513 * Returns the number of direct child snapshots, without grandchildren.
514 * Does not recurse.
515 * @return
516 */
517ULONG Snapshot::getChildrenCount()
518{
519 AutoCaller autoCaller(this);
520 AssertComRC(autoCaller.rc());
521
522 // snapshots tree is protected by machine lock
523 AutoReadLock alock(m->pMachine COMMA_LOCKVAL_SRC_POS);
524
525 return (ULONG)m->llChildren.size();
526}
527
528/**
529 * Implementation method for getAllChildrenCount() so we request the
530 * tree lock only once before recursing. Don't call directly.
531 * @return
532 */
533ULONG Snapshot::getAllChildrenCountImpl()
534{
535 AutoCaller autoCaller(this);
536 AssertComRC(autoCaller.rc());
537
538 ULONG count = (ULONG)m->llChildren.size();
539 for (SnapshotsList::const_iterator it = m->llChildren.begin();
540 it != m->llChildren.end();
541 ++it)
542 {
543 count += (*it)->getAllChildrenCountImpl();
544 }
545
546 return count;
547}
548
549/**
550 * Returns the number of child snapshots including all grandchildren.
551 * Recurses into the snapshots tree.
552 * @return
553 */
554ULONG Snapshot::getAllChildrenCount()
555{
556 AutoCaller autoCaller(this);
557 AssertComRC(autoCaller.rc());
558
559 // snapshots tree is protected by machine lock
560 AutoReadLock alock(m->pMachine COMMA_LOCKVAL_SRC_POS);
561
562 return getAllChildrenCountImpl();
563}
564
565/**
566 * Returns the SnapshotMachine that this snapshot belongs to.
567 * Caller must hold the snapshot's object lock!
568 * @return
569 */
570const ComObjPtr<SnapshotMachine>& Snapshot::getSnapshotMachine() const
571{
572 return m->pMachine;
573}
574
575/**
576 * Returns the UUID of this snapshot.
577 * Caller must hold the snapshot's object lock!
578 * @return
579 */
580Guid Snapshot::getId() const
581{
582 return m->uuid;
583}
584
585/**
586 * Returns the name of this snapshot.
587 * Caller must hold the snapshot's object lock!
588 * @return
589 */
590const Utf8Str& Snapshot::getName() const
591{
592 return m->strName;
593}
594
595/**
596 * Returns the time stamp of this snapshot.
597 * Caller must hold the snapshot's object lock!
598 * @return
599 */
600RTTIMESPEC Snapshot::getTimeStamp() const
601{
602 return m->timeStamp;
603}
604
605/**
606 * Searches for a snapshot with the given ID among children, grand-children,
607 * etc. of this snapshot. This snapshot itself is also included in the search.
608 *
609 * Caller must hold the machine lock (which protects the snapshots tree!)
610 */
611ComObjPtr<Snapshot> Snapshot::findChildOrSelf(IN_GUID aId)
612{
613 ComObjPtr<Snapshot> child;
614
615 AutoCaller autoCaller(this);
616 AssertComRC(autoCaller.rc());
617
618 // no need to lock, uuid is const
619 if (m->uuid == aId)
620 child = this;
621 else
622 {
623 for (SnapshotsList::const_iterator it = m->llChildren.begin();
624 it != m->llChildren.end();
625 ++it)
626 {
627 if ((child = (*it)->findChildOrSelf(aId)))
628 break;
629 }
630 }
631
632 return child;
633}
634
635/**
636 * Searches for a first snapshot with the given name among children,
637 * grand-children, etc. of this snapshot. This snapshot itself is also included
638 * in the search.
639 *
640 * Caller must hold the machine lock (which protects the snapshots tree!)
641 */
642ComObjPtr<Snapshot> Snapshot::findChildOrSelf(const Utf8Str &aName)
643{
644 ComObjPtr<Snapshot> child;
645 AssertReturn(!aName.isEmpty(), child);
646
647 AutoCaller autoCaller(this);
648 AssertComRC(autoCaller.rc());
649
650 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
651
652 if (m->strName == aName)
653 child = this;
654 else
655 {
656 alock.release();
657 for (SnapshotsList::const_iterator it = m->llChildren.begin();
658 it != m->llChildren.end();
659 ++it)
660 {
661 if ((child = (*it)->findChildOrSelf(aName)))
662 break;
663 }
664 }
665
666 return child;
667}
668
669/**
670 * Internal implementation for Snapshot::updateSavedStatePaths (below).
671 * @param aOldPath
672 * @param aNewPath
673 */
674void Snapshot::updateSavedStatePathsImpl(const char *aOldPath, const char *aNewPath)
675{
676 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
677
678 const Utf8Str &path = m->pMachine->mSSData->mStateFilePath;
679 LogFlowThisFunc(("Snap[%s].statePath={%s}\n", m->strName.c_str(), path.c_str()));
680
681 /* state file may be NULL (for offline snapshots) */
682 if ( path.length()
683 && RTPathStartsWith(path.c_str(), aOldPath)
684 )
685 {
686 m->pMachine->mSSData->mStateFilePath = Utf8StrFmt("%s%s", aNewPath, path.raw() + strlen(aOldPath));
687
688 LogFlowThisFunc(("-> updated: {%s}\n", path.raw()));
689 }
690
691 for (SnapshotsList::const_iterator it = m->llChildren.begin();
692 it != m->llChildren.end();
693 ++it)
694 {
695 Snapshot *pChild = *it;
696 pChild->updateSavedStatePathsImpl(aOldPath, aNewPath);
697 }
698}
699
700/**
701 * Checks if the specified path change affects the saved state file path of
702 * this snapshot or any of its (grand-)children and updates it accordingly.
703 *
704 * Intended to be called by Machine::openConfigLoader() only.
705 *
706 * @param aOldPath old path (full)
707 * @param aNewPath new path (full)
708 *
709 * @note Locks the machine (for the snapshots tree) + this object + children for writing.
710 */
711void Snapshot::updateSavedStatePaths(const char *aOldPath, const char *aNewPath)
712{
713 LogFlowThisFunc(("aOldPath={%s} aNewPath={%s}\n", aOldPath, aNewPath));
714
715 AssertReturnVoid(aOldPath);
716 AssertReturnVoid(aNewPath);
717
718 AutoCaller autoCaller(this);
719 AssertComRC(autoCaller.rc());
720
721 // snapshots tree is protected by machine lock
722 AutoWriteLock alock(m->pMachine COMMA_LOCKVAL_SRC_POS);
723
724 // call the implementation under the tree lock
725 updateSavedStatePathsImpl(aOldPath, aNewPath);
726}
727
728/**
729 * Internal implementation for Snapshot::saveSnapshot (below). Caller has
730 * requested the snapshots tree (machine) lock.
731 *
732 * @param aNode
733 * @param aAttrsOnly
734 * @return
735 */
736HRESULT Snapshot::saveSnapshotImpl(settings::Snapshot &data, bool aAttrsOnly)
737{
738 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
739
740 data.uuid = m->uuid;
741 data.strName = m->strName;
742 data.timestamp = m->timeStamp;
743 data.strDescription = m->strDescription;
744
745 if (aAttrsOnly)
746 return S_OK;
747
748 /* stateFile (optional) */
749 if (!stateFilePath().isEmpty())
750 /* try to make the file name relative to the settings file dir */
751 m->pMachine->calculateRelativePath(stateFilePath(), data.strStateFile);
752 else
753 data.strStateFile.setNull();
754
755 HRESULT rc = m->pMachine->saveHardware(data.hardware);
756 if (FAILED(rc)) return rc;
757
758 rc = m->pMachine->saveStorageControllers(data.storage);
759 if (FAILED(rc)) return rc;
760
761 alock.release();
762
763 data.llChildSnapshots.clear();
764
765 if (m->llChildren.size())
766 {
767 for (SnapshotsList::const_iterator it = m->llChildren.begin();
768 it != m->llChildren.end();
769 ++it)
770 {
771 settings::Snapshot snap;
772 rc = (*it)->saveSnapshotImpl(snap, aAttrsOnly);
773 if (FAILED(rc)) return rc;
774
775 data.llChildSnapshots.push_back(snap);
776 }
777 }
778
779 return S_OK;
780}
781
782/**
783 * Saves the given snapshot and all its children (unless \a aAttrsOnly is true).
784 * It is assumed that the given node is empty (unless \a aAttrsOnly is true).
785 *
786 * @param aNode <Snapshot> node to save the snapshot to.
787 * @param aSnapshot Snapshot to save.
788 * @param aAttrsOnly If true, only updatge user-changeable attrs.
789 */
790HRESULT Snapshot::saveSnapshot(settings::Snapshot &data, bool aAttrsOnly)
791{
792 // snapshots tree is protected by machine lock
793 AutoReadLock alock(m->pMachine COMMA_LOCKVAL_SRC_POS);
794
795 return saveSnapshotImpl(data, aAttrsOnly);
796}
797
798////////////////////////////////////////////////////////////////////////////////
799//
800// SnapshotMachine implementation
801//
802////////////////////////////////////////////////////////////////////////////////
803
804DEFINE_EMPTY_CTOR_DTOR(SnapshotMachine)
805
806HRESULT SnapshotMachine::FinalConstruct()
807{
808 LogFlowThisFunc(("\n"));
809
810 return S_OK;
811}
812
813void SnapshotMachine::FinalRelease()
814{
815 LogFlowThisFunc(("\n"));
816
817 uninit();
818}
819
820/**
821 * Initializes the SnapshotMachine object when taking a snapshot.
822 *
823 * @param aSessionMachine machine to take a snapshot from
824 * @param aSnapshotId snapshot ID of this snapshot machine
825 * @param aStateFilePath file where the execution state will be later saved
826 * (or NULL for the offline snapshot)
827 *
828 * @note The aSessionMachine must be locked for writing.
829 */
830HRESULT SnapshotMachine::init(SessionMachine *aSessionMachine,
831 IN_GUID aSnapshotId,
832 const Utf8Str &aStateFilePath)
833{
834 LogFlowThisFuncEnter();
835 LogFlowThisFunc(("mName={%ls}\n", aSessionMachine->mUserData->mName.raw()));
836
837 AssertReturn(aSessionMachine && !Guid(aSnapshotId).isEmpty(), E_INVALIDARG);
838
839 /* Enclose the state transition NotReady->InInit->Ready */
840 AutoInitSpan autoInitSpan(this);
841 AssertReturn(autoInitSpan.isOk(), E_FAIL);
842
843 AssertReturn(aSessionMachine->isWriteLockOnCurrentThread(), E_FAIL);
844
845 mSnapshotId = aSnapshotId;
846
847 /* memorize the primary Machine instance (i.e. not SessionMachine!) */
848 unconst(mPeer) = aSessionMachine->mPeer;
849 /* share the parent pointer */
850 unconst(mParent) = mPeer->mParent;
851
852 /* take the pointer to Data to share */
853 mData.share(mPeer->mData);
854
855 /* take the pointer to UserData to share (our UserData must always be the
856 * same as Machine's data) */
857 mUserData.share(mPeer->mUserData);
858 /* make a private copy of all other data (recent changes from SessionMachine) */
859 mHWData.attachCopy(aSessionMachine->mHWData);
860 mMediaData.attachCopy(aSessionMachine->mMediaData);
861
862 /* SSData is always unique for SnapshotMachine */
863 mSSData.allocate();
864 mSSData->mStateFilePath = aStateFilePath;
865
866 HRESULT rc = S_OK;
867
868 /* create copies of all shared folders (mHWData after attiching a copy
869 * contains just references to original objects) */
870 for (HWData::SharedFolderList::iterator it = mHWData->mSharedFolders.begin();
871 it != mHWData->mSharedFolders.end();
872 ++it)
873 {
874 ComObjPtr<SharedFolder> folder;
875 folder.createObject();
876 rc = folder->initCopy(this, *it);
877 if (FAILED(rc)) return rc;
878 *it = folder;
879 }
880
881 /* associate hard disks with the snapshot
882 * (Machine::uninitDataAndChildObjects() will deassociate at destruction) */
883 for (MediaData::AttachmentList::const_iterator it = mMediaData->mAttachments.begin();
884 it != mMediaData->mAttachments.end();
885 ++it)
886 {
887 MediumAttachment *pAtt = *it;
888 Medium *pMedium = pAtt->getMedium();
889 if (pMedium) // can be NULL for non-harddisk
890 {
891 rc = pMedium->attachTo(mData->mUuid, mSnapshotId);
892 AssertComRC(rc);
893 }
894 }
895
896 /* create copies of all storage controllers (mStorageControllerData
897 * after attaching a copy contains just references to original objects) */
898 mStorageControllers.allocate();
899 for (StorageControllerList::const_iterator
900 it = aSessionMachine->mStorageControllers->begin();
901 it != aSessionMachine->mStorageControllers->end();
902 ++it)
903 {
904 ComObjPtr<StorageController> ctrl;
905 ctrl.createObject();
906 ctrl->initCopy(this, *it);
907 mStorageControllers->push_back(ctrl);
908 }
909
910 /* create all other child objects that will be immutable private copies */
911
912 unconst(mBIOSSettings).createObject();
913 mBIOSSettings->initCopy(this, mPeer->mBIOSSettings);
914
915#ifdef VBOX_WITH_VRDP
916 unconst(mVRDPServer).createObject();
917 mVRDPServer->initCopy(this, mPeer->mVRDPServer);
918#endif
919
920 unconst(mAudioAdapter).createObject();
921 mAudioAdapter->initCopy(this, mPeer->mAudioAdapter);
922
923 unconst(mUSBController).createObject();
924 mUSBController->initCopy(this, mPeer->mUSBController);
925
926 for (ULONG slot = 0; slot < RT_ELEMENTS(mNetworkAdapters); slot++)
927 {
928 unconst(mNetworkAdapters[slot]).createObject();
929 mNetworkAdapters[slot]->initCopy(this, mPeer->mNetworkAdapters[slot]);
930 }
931
932 for (ULONG slot = 0; slot < RT_ELEMENTS(mSerialPorts); slot++)
933 {
934 unconst(mSerialPorts[slot]).createObject();
935 mSerialPorts[slot]->initCopy(this, mPeer->mSerialPorts[slot]);
936 }
937
938 for (ULONG slot = 0; slot < RT_ELEMENTS(mParallelPorts); slot++)
939 {
940 unconst(mParallelPorts[slot]).createObject();
941 mParallelPorts[slot]->initCopy(this, mPeer->mParallelPorts[slot]);
942 }
943
944 /* Confirm a successful initialization when it's the case */
945 autoInitSpan.setSucceeded();
946
947 LogFlowThisFuncLeave();
948 return S_OK;
949}
950
951/**
952 * Initializes the SnapshotMachine object when loading from the settings file.
953 *
954 * @param aMachine machine the snapshot belngs to
955 * @param aHWNode <Hardware> node
956 * @param aHDAsNode <HardDiskAttachments> node
957 * @param aSnapshotId snapshot ID of this snapshot machine
958 * @param aStateFilePath file where the execution state is saved
959 * (or NULL for the offline snapshot)
960 *
961 * @note Doesn't lock anything.
962 */
963HRESULT SnapshotMachine::init(Machine *aMachine,
964 const settings::Hardware &hardware,
965 const settings::Storage &storage,
966 IN_GUID aSnapshotId,
967 const Utf8Str &aStateFilePath)
968{
969 LogFlowThisFuncEnter();
970 LogFlowThisFunc(("mName={%ls}\n", aMachine->mUserData->mName.raw()));
971
972 AssertReturn(aMachine && !Guid(aSnapshotId).isEmpty(), E_INVALIDARG);
973
974 /* Enclose the state transition NotReady->InInit->Ready */
975 AutoInitSpan autoInitSpan(this);
976 AssertReturn(autoInitSpan.isOk(), E_FAIL);
977
978 /* Don't need to lock aMachine when VirtualBox is starting up */
979
980 mSnapshotId = aSnapshotId;
981
982 /* memorize the primary Machine instance */
983 unconst(mPeer) = aMachine;
984 /* share the parent pointer */
985 unconst(mParent) = mPeer->mParent;
986
987 /* take the pointer to Data to share */
988 mData.share(mPeer->mData);
989 /*
990 * take the pointer to UserData to share
991 * (our UserData must always be the same as Machine's data)
992 */
993 mUserData.share(mPeer->mUserData);
994 /* allocate private copies of all other data (will be loaded from settings) */
995 mHWData.allocate();
996 mMediaData.allocate();
997 mStorageControllers.allocate();
998
999 /* SSData is always unique for SnapshotMachine */
1000 mSSData.allocate();
1001 mSSData->mStateFilePath = aStateFilePath;
1002
1003 /* create all other child objects that will be immutable private copies */
1004
1005 unconst(mBIOSSettings).createObject();
1006 mBIOSSettings->init(this);
1007
1008#ifdef VBOX_WITH_VRDP
1009 unconst(mVRDPServer).createObject();
1010 mVRDPServer->init(this);
1011#endif
1012
1013 unconst(mAudioAdapter).createObject();
1014 mAudioAdapter->init(this);
1015
1016 unconst(mUSBController).createObject();
1017 mUSBController->init(this);
1018
1019 for (ULONG slot = 0; slot < RT_ELEMENTS(mNetworkAdapters); slot++)
1020 {
1021 unconst(mNetworkAdapters[slot]).createObject();
1022 mNetworkAdapters[slot]->init(this, slot);
1023 }
1024
1025 for (ULONG slot = 0; slot < RT_ELEMENTS(mSerialPorts); slot++)
1026 {
1027 unconst(mSerialPorts[slot]).createObject();
1028 mSerialPorts[slot]->init(this, slot);
1029 }
1030
1031 for (ULONG slot = 0; slot < RT_ELEMENTS(mParallelPorts); slot++)
1032 {
1033 unconst(mParallelPorts[slot]).createObject();
1034 mParallelPorts[slot]->init(this, slot);
1035 }
1036
1037 /* load hardware and harddisk settings */
1038
1039 HRESULT rc = loadHardware(hardware);
1040 if (SUCCEEDED(rc))
1041 rc = loadStorageControllers(storage, &mSnapshotId);
1042
1043 if (SUCCEEDED(rc))
1044 /* commit all changes made during the initialization */
1045 commit(); // @todo r=dj why do we need a commit in init?!? this is very expensive
1046
1047 /* Confirm a successful initialization when it's the case */
1048 if (SUCCEEDED(rc))
1049 autoInitSpan.setSucceeded();
1050
1051 LogFlowThisFuncLeave();
1052 return rc;
1053}
1054
1055/**
1056 * Uninitializes this SnapshotMachine object.
1057 */
1058void SnapshotMachine::uninit()
1059{
1060 LogFlowThisFuncEnter();
1061
1062 /* Enclose the state transition Ready->InUninit->NotReady */
1063 AutoUninitSpan autoUninitSpan(this);
1064 if (autoUninitSpan.uninitDone())
1065 return;
1066
1067 uninitDataAndChildObjects();
1068
1069 /* free the essential data structure last */
1070 mData.free();
1071
1072 unconst(mParent) = NULL;
1073 unconst(mPeer) = NULL;
1074
1075 LogFlowThisFuncLeave();
1076}
1077
1078/**
1079 * Overrides VirtualBoxBase::lockHandle() in order to share the lock handle
1080 * with the primary Machine instance (mPeer).
1081 */
1082RWLockHandle *SnapshotMachine::lockHandle() const
1083{
1084 AssertReturn(mPeer != NULL, NULL);
1085 return mPeer->lockHandle();
1086}
1087
1088////////////////////////////////////////////////////////////////////////////////
1089//
1090// SnapshotMachine public internal methods
1091//
1092////////////////////////////////////////////////////////////////////////////////
1093
1094/**
1095 * Called by the snapshot object associated with this SnapshotMachine when
1096 * snapshot data such as name or description is changed.
1097 *
1098 * @note Locks this object for writing.
1099 */
1100HRESULT SnapshotMachine::onSnapshotChange(Snapshot *aSnapshot)
1101{
1102 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1103
1104 // mPeer->saveAllSnapshots(); @todo
1105
1106 /* inform callbacks */
1107 mParent->onSnapshotChange(mData->mUuid, aSnapshot->getId());
1108
1109 return S_OK;
1110}
1111
1112////////////////////////////////////////////////////////////////////////////////
1113//
1114// SessionMachine task records
1115//
1116////////////////////////////////////////////////////////////////////////////////
1117
1118/**
1119 * Abstract base class for SessionMachine::RestoreSnapshotTask and
1120 * SessionMachine::DeleteSnapshotTask. This is necessary since
1121 * RTThreadCreate cannot call a method as its thread function, so
1122 * instead we have it call the static SessionMachine::taskHandler,
1123 * which can then call the handler() method in here (implemented
1124 * by the children).
1125 */
1126struct SessionMachine::SnapshotTask
1127{
1128 SnapshotTask(SessionMachine *m,
1129 Progress *p,
1130 Snapshot *s)
1131 : pMachine(m),
1132 pProgress(p),
1133 machineStateBackup(m->mData->mMachineState), // save the current machine state
1134 pSnapshot(s)
1135 {}
1136
1137 void modifyBackedUpState(MachineState_T s)
1138 {
1139 *const_cast<MachineState_T*>(&machineStateBackup) = s;
1140 }
1141
1142 virtual void handler() = 0;
1143
1144 ComObjPtr<SessionMachine> pMachine;
1145 ComObjPtr<Progress> pProgress;
1146 const MachineState_T machineStateBackup;
1147 ComObjPtr<Snapshot> pSnapshot;
1148};
1149
1150/** Restore snapshot state task */
1151struct SessionMachine::RestoreSnapshotTask
1152 : public SessionMachine::SnapshotTask
1153{
1154 RestoreSnapshotTask(SessionMachine *m,
1155 Progress *p,
1156 Snapshot *s,
1157 ULONG ulStateFileSizeMB)
1158 : SnapshotTask(m, p, s),
1159 m_ulStateFileSizeMB(ulStateFileSizeMB)
1160 {}
1161
1162 void handler()
1163 {
1164 pMachine->restoreSnapshotHandler(*this);
1165 }
1166
1167 ULONG m_ulStateFileSizeMB;
1168};
1169
1170/** Delete snapshot task */
1171struct SessionMachine::DeleteSnapshotTask
1172 : public SessionMachine::SnapshotTask
1173{
1174 DeleteSnapshotTask(SessionMachine *m,
1175 Progress *p,
1176 bool fDeleteOnline,
1177 Snapshot *s)
1178 : SnapshotTask(m, p, s),
1179 m_fDeleteOnline(fDeleteOnline)
1180 {}
1181
1182 void handler()
1183 {
1184 pMachine->deleteSnapshotHandler(*this);
1185 }
1186
1187 bool m_fDeleteOnline;
1188};
1189
1190/**
1191 * Static SessionMachine method that can get passed to RTThreadCreate to
1192 * have a thread started for a SnapshotTask. See SnapshotTask above.
1193 *
1194 * This calls either RestoreSnapshotTask::handler() or DeleteSnapshotTask::handler().
1195 */
1196
1197/* static */ DECLCALLBACK(int) SessionMachine::taskHandler(RTTHREAD /* thread */, void *pvUser)
1198{
1199 AssertReturn(pvUser, VERR_INVALID_POINTER);
1200
1201 SnapshotTask *task = static_cast<SnapshotTask*>(pvUser);
1202 task->handler();
1203
1204 // it's our responsibility to delete the task
1205 delete task;
1206
1207 return 0;
1208}
1209
1210////////////////////////////////////////////////////////////////////////////////
1211//
1212// TakeSnapshot methods (SessionMachine and related tasks)
1213//
1214////////////////////////////////////////////////////////////////////////////////
1215
1216/**
1217 * Implementation for IInternalMachineControl::beginTakingSnapshot().
1218 *
1219 * Gets called indirectly from Console::TakeSnapshot, which creates a
1220 * progress object in the client and then starts a thread
1221 * (Console::fntTakeSnapshotWorker) which then calls this.
1222 *
1223 * In other words, the asynchronous work for taking snapshots takes place
1224 * on the _client_ (in the Console). This is different from restoring
1225 * or deleting snapshots, which start threads on the server.
1226 *
1227 * This does the server-side work of taking a snapshot: it creates diffencing
1228 * images for all hard disks attached to the machine and then creates a
1229 * Snapshot object with a corresponding SnapshotMachine to save the VM settings.
1230 *
1231 * The client's fntTakeSnapshotWorker() blocks while this takes place.
1232 * After this returns successfully, fntTakeSnapshotWorker() will begin
1233 * saving the machine state to the snapshot object and reconfigure the
1234 * hard disks.
1235 *
1236 * When the console is done, it calls SessionMachine::EndTakingSnapshot().
1237 *
1238 * @note Locks mParent + this object for writing.
1239 *
1240 * @param aInitiator in: The console on which Console::TakeSnapshot was called.
1241 * @param aName in: The name for the new snapshot.
1242 * @param aDescription in: A description for the new snapshot.
1243 * @param aConsoleProgress in: The console's (client's) progress object.
1244 * @param fTakingSnapshotOnline in: True if an online snapshot is being taken (i.e. machine is running).
1245 * @param aStateFilePath out: name of file in snapshots folder to which the console should write the VM state.
1246 * @return
1247 */
1248STDMETHODIMP SessionMachine::BeginTakingSnapshot(IConsole *aInitiator,
1249 IN_BSTR aName,
1250 IN_BSTR aDescription,
1251 IProgress *aConsoleProgress,
1252 BOOL fTakingSnapshotOnline,
1253 BSTR *aStateFilePath)
1254{
1255 LogFlowThisFuncEnter();
1256
1257 AssertReturn(aInitiator && aName, E_INVALIDARG);
1258 AssertReturn(aStateFilePath, E_POINTER);
1259
1260 LogFlowThisFunc(("aName='%ls' fTakingSnapshotOnline=%RTbool\n", aName, fTakingSnapshotOnline));
1261
1262 AutoCaller autoCaller(this);
1263 AssertComRCReturn(autoCaller.rc(), autoCaller.rc());
1264
1265 // if this becomes true, we need to call VirtualBox::saveSettings() in the end
1266 bool fNeedsSaveSettings = false;
1267
1268 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1269
1270 AssertReturn( !Global::IsOnlineOrTransient(mData->mMachineState)
1271 || mData->mMachineState == MachineState_Running
1272 || mData->mMachineState == MachineState_Paused, E_FAIL);
1273 AssertReturn(mSnapshotData.mLastState == MachineState_Null, E_FAIL);
1274 AssertReturn(mSnapshotData.mSnapshot.isNull(), E_FAIL);
1275
1276 if ( !fTakingSnapshotOnline
1277 && mData->mMachineState != MachineState_Saved
1278 )
1279 {
1280 /* save all current settings to ensure current changes are committed and
1281 * hard disks are fixed up */
1282 HRESULT rc = saveSettings(NULL);
1283 // no need to check for whether VirtualBox.xml needs changing since
1284 // we can't have a machine XML rename pending at this point
1285 if (FAILED(rc)) return rc;
1286 }
1287
1288 /* create an ID for the snapshot */
1289 Guid snapshotId;
1290 snapshotId.create();
1291
1292 Utf8Str strStateFilePath;
1293 /* stateFilePath is null when the machine is not online nor saved */
1294 if ( fTakingSnapshotOnline
1295 || mData->mMachineState == MachineState_Saved)
1296 {
1297 strStateFilePath = Utf8StrFmt("%ls%c{%RTuuid}.sav",
1298 mUserData->mSnapshotFolderFull.raw(),
1299 RTPATH_DELIMITER,
1300 snapshotId.ptr());
1301 /* ensure the directory for the saved state file exists */
1302 HRESULT rc = VirtualBox::ensureFilePathExists(strStateFilePath);
1303 if (FAILED(rc)) return rc;
1304 }
1305
1306 /* create a snapshot machine object */
1307 ComObjPtr<SnapshotMachine> snapshotMachine;
1308 snapshotMachine.createObject();
1309 HRESULT rc = snapshotMachine->init(this, snapshotId, strStateFilePath);
1310 AssertComRCReturn(rc, rc);
1311
1312 /* create a snapshot object */
1313 RTTIMESPEC time;
1314 ComObjPtr<Snapshot> pSnapshot;
1315 pSnapshot.createObject();
1316 rc = pSnapshot->init(mParent,
1317 snapshotId,
1318 aName,
1319 aDescription,
1320 *RTTimeNow(&time),
1321 snapshotMachine,
1322 mData->mCurrentSnapshot);
1323 AssertComRCReturnRC(rc);
1324
1325 /* fill in the snapshot data */
1326 mSnapshotData.mLastState = mData->mMachineState;
1327 mSnapshotData.mSnapshot = pSnapshot;
1328
1329 try
1330 {
1331 LogFlowThisFunc(("Creating differencing hard disks (online=%d)...\n",
1332 fTakingSnapshotOnline));
1333
1334 // backup the media data so we can recover if things goes wrong along the day;
1335 // the matching commit() is in fixupMedia() during endSnapshot()
1336 setModified(IsModified_Storage);
1337 mMediaData.backup();
1338
1339 /* Console::fntTakeSnapshotWorker and friends expects this. */
1340 if (mSnapshotData.mLastState == MachineState_Running)
1341 setMachineState(MachineState_LiveSnapshotting);
1342 else
1343 setMachineState(MachineState_Saving); /** @todo Confusing! Saving is used for both online and offline snapshots. */
1344
1345 /* create new differencing hard disks and attach them to this machine */
1346 rc = createImplicitDiffs(mUserData->mSnapshotFolderFull,
1347 aConsoleProgress,
1348 1, // operation weight; must be the same as in Console::TakeSnapshot()
1349 !!fTakingSnapshotOnline,
1350 &fNeedsSaveSettings);
1351 if (FAILED(rc))
1352 throw rc;
1353
1354 if (mSnapshotData.mLastState == MachineState_Saved)
1355 {
1356 Utf8Str stateFrom = mSSData->mStateFilePath;
1357 Utf8Str stateTo = mSnapshotData.mSnapshot->stateFilePath();
1358
1359 LogFlowThisFunc(("Copying the execution state from '%s' to '%s'...\n",
1360 stateFrom.raw(), stateTo.raw()));
1361
1362 aConsoleProgress->SetNextOperation(Bstr(tr("Copying the execution state")),
1363 1); // weight
1364
1365 /* Leave the lock before a lengthy operation (machine is protected
1366 * by "Saving" machine state now) */
1367 alock.release();
1368
1369 /* copy the state file */
1370 int vrc = RTFileCopyEx(stateFrom.c_str(),
1371 stateTo.c_str(),
1372 0,
1373 progressCallback,
1374 aConsoleProgress);
1375 alock.acquire();
1376
1377 if (RT_FAILURE(vrc))
1378 /** @todo r=bird: Delete stateTo when appropriate. */
1379 throw setError(E_FAIL,
1380 tr("Could not copy the state file '%s' to '%s' (%Rrc)"),
1381 stateFrom.raw(),
1382 stateTo.raw(),
1383 vrc);
1384 }
1385 }
1386 catch (HRESULT hrc)
1387 {
1388 LogThisFunc(("Caught %Rhrc [%s]\n", hrc, Global::stringifyMachineState(mData->mMachineState) ));
1389 if ( mSnapshotData.mLastState != mData->mMachineState
1390 && ( mSnapshotData.mLastState == MachineState_Running
1391 ? mData->mMachineState == MachineState_LiveSnapshotting
1392 : mData->mMachineState == MachineState_Saving)
1393 )
1394 setMachineState(mSnapshotData.mLastState);
1395
1396 pSnapshot->uninit();
1397 pSnapshot.setNull();
1398 mSnapshotData.mLastState = MachineState_Null;
1399 mSnapshotData.mSnapshot.setNull();
1400
1401 rc = hrc;
1402
1403 // @todo r=dj what with the implicit diff that we created above? this is never cleaned up
1404 }
1405
1406 if (fTakingSnapshotOnline && SUCCEEDED(rc))
1407 strStateFilePath.cloneTo(aStateFilePath);
1408 else
1409 *aStateFilePath = NULL;
1410
1411 // @todo r=dj normally we would need to save the settings if fNeedsSaveSettings was set to true,
1412 // but since we have no error handling that cleans up the diff image that might have gotten created,
1413 // there's no point in saving the disk registry at this point either... this needs fixing.
1414
1415 LogFlowThisFunc(("LEAVE - %Rhrc [%s]\n", rc, Global::stringifyMachineState(mData->mMachineState) ));
1416 return rc;
1417}
1418
1419/**
1420 * Implementation for IInternalMachineControl::endTakingSnapshot().
1421 *
1422 * Called by the Console when it's done saving the VM state into the snapshot
1423 * (if online) and reconfiguring the hard disks. See BeginTakingSnapshot() above.
1424 *
1425 * This also gets called if the console part of snapshotting failed after the
1426 * BeginTakingSnapshot() call, to clean up the server side.
1427 *
1428 * @note Locks VirtualBox and this object for writing.
1429 *
1430 * @param aSuccess Whether Console was successful with the client-side snapshot things.
1431 * @return
1432 */
1433STDMETHODIMP SessionMachine::EndTakingSnapshot(BOOL aSuccess)
1434{
1435 LogFlowThisFunc(("\n"));
1436
1437 AutoCaller autoCaller(this);
1438 AssertComRCReturn (autoCaller.rc(), autoCaller.rc());
1439
1440 AutoWriteLock machineLock(this COMMA_LOCKVAL_SRC_POS);
1441
1442 AssertReturn( !aSuccess
1443 || ( ( mData->mMachineState == MachineState_Saving
1444 || mData->mMachineState == MachineState_LiveSnapshotting)
1445 && mSnapshotData.mLastState != MachineState_Null
1446 && !mSnapshotData.mSnapshot.isNull()
1447 )
1448 , E_FAIL);
1449
1450 /*
1451 * Restore the state we had when BeginTakingSnapshot() was called,
1452 * Console::fntTakeSnapshotWorker restores its local copy when we return.
1453 * If the state was Running, then let Console::fntTakeSnapshotWorker do it
1454 * all to avoid races.
1455 */
1456 if ( mData->mMachineState != mSnapshotData.mLastState
1457 && mSnapshotData.mLastState != MachineState_Running
1458 )
1459 setMachineState(mSnapshotData.mLastState);
1460
1461 ComObjPtr<Snapshot> pOldFirstSnap = mData->mFirstSnapshot;
1462 ComObjPtr<Snapshot> pOldCurrentSnap = mData->mCurrentSnapshot;
1463
1464 bool fOnline = Global::IsOnline(mSnapshotData.mLastState);
1465
1466 HRESULT rc = S_OK;
1467
1468 if (aSuccess)
1469 {
1470 // new snapshot becomes the current one
1471 mData->mCurrentSnapshot = mSnapshotData.mSnapshot;
1472
1473 /* memorize the first snapshot if necessary */
1474 if (!mData->mFirstSnapshot)
1475 mData->mFirstSnapshot = mData->mCurrentSnapshot;
1476
1477 int flSaveSettings = SaveS_Force; // do not do a deep compare in machine settings,
1478 // snapshots change, so we know we need to save
1479 if (!fOnline)
1480 /* the machine was powered off or saved when taking a snapshot, so
1481 * reset the mCurrentStateModified flag */
1482 flSaveSettings |= SaveS_ResetCurStateModified;
1483
1484 rc = saveSettings(NULL, flSaveSettings);
1485 // no need to change for whether VirtualBox.xml needs saving since
1486 // we'll save the global settings below anyway
1487 }
1488
1489 if (aSuccess && SUCCEEDED(rc))
1490 {
1491 /* associate old hard disks with the snapshot and do locking/unlocking*/
1492 commitMedia(fOnline);
1493
1494 /* inform callbacks */
1495 mParent->onSnapshotTaken(mData->mUuid,
1496 mSnapshotData.mSnapshot->getId());
1497 }
1498 else
1499 {
1500 /* delete all differencing hard disks created (this will also attach
1501 * their parents back by rolling back mMediaData) */
1502 rollbackMedia();
1503
1504 mData->mFirstSnapshot = pOldFirstSnap; // might have been changed above
1505 mData->mCurrentSnapshot = pOldCurrentSnap; // might have been changed above
1506
1507 /* delete the saved state file (it might have been already created) */
1508 if (mSnapshotData.mSnapshot->stateFilePath().length())
1509 RTFileDelete(mSnapshotData.mSnapshot->stateFilePath().c_str());
1510
1511 mSnapshotData.mSnapshot->uninit();
1512 }
1513
1514 /* clear out the snapshot data */
1515 mSnapshotData.mLastState = MachineState_Null;
1516 mSnapshotData.mSnapshot.setNull();
1517
1518 // save VirtualBox.xml (media registry most probably changed with diff image)
1519 machineLock.release();
1520 AutoWriteLock vboxLock(mParent COMMA_LOCKVAL_SRC_POS);
1521 mParent->saveSettings();
1522
1523 return rc;
1524}
1525
1526////////////////////////////////////////////////////////////////////////////////
1527//
1528// RestoreSnapshot methods (SessionMachine and related tasks)
1529//
1530////////////////////////////////////////////////////////////////////////////////
1531
1532/**
1533 * Implementation for IInternalMachineControl::restoreSnapshot().
1534 *
1535 * Gets called from Console::RestoreSnapshot(), and that's basically the
1536 * only thing Console does. Restoring a snapshot happens entirely on the
1537 * server side since the machine cannot be running.
1538 *
1539 * This creates a new thread that does the work and returns a progress
1540 * object to the client which is then returned to the caller of
1541 * Console::RestoreSnapshot().
1542 *
1543 * Actual work then takes place in RestoreSnapshotTask::handler().
1544 *
1545 * @note Locks this + children objects for writing!
1546 *
1547 * @param aInitiator in: rhe console on which Console::RestoreSnapshot was called.
1548 * @param aSnapshot in: the snapshot to restore.
1549 * @param aMachineState in: client-side machine state.
1550 * @param aProgress out: progress object to monitor restore thread.
1551 * @return
1552 */
1553STDMETHODIMP SessionMachine::RestoreSnapshot(IConsole *aInitiator,
1554 ISnapshot *aSnapshot,
1555 MachineState_T *aMachineState,
1556 IProgress **aProgress)
1557{
1558 LogFlowThisFuncEnter();
1559
1560 AssertReturn(aInitiator, E_INVALIDARG);
1561 AssertReturn(aSnapshot && aMachineState && aProgress, E_POINTER);
1562
1563 AutoCaller autoCaller(this);
1564 AssertComRCReturn(autoCaller.rc(), autoCaller.rc());
1565
1566 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1567
1568 // machine must not be running
1569 ComAssertRet(!Global::IsOnlineOrTransient(mData->mMachineState),
1570 E_FAIL);
1571
1572 ComObjPtr<Snapshot> pSnapshot(static_cast<Snapshot*>(aSnapshot));
1573 ComObjPtr<SnapshotMachine> pSnapMachine = pSnapshot->getSnapshotMachine();
1574
1575 // create a progress object. The number of operations is:
1576 // 1 (preparing) + # of hard disks + 1 (if we need to copy the saved state file) */
1577 LogFlowThisFunc(("Going thru snapshot machine attachments to determine progress setup\n"));
1578
1579 ULONG ulOpCount = 1; // one for preparations
1580 ULONG ulTotalWeight = 1; // one for preparations
1581 for (MediaData::AttachmentList::iterator it = pSnapMachine->mMediaData->mAttachments.begin();
1582 it != pSnapMachine->mMediaData->mAttachments.end();
1583 ++it)
1584 {
1585 ComObjPtr<MediumAttachment> &pAttach = *it;
1586 AutoReadLock attachLock(pAttach COMMA_LOCKVAL_SRC_POS);
1587 if (pAttach->getType() == DeviceType_HardDisk)
1588 {
1589 ++ulOpCount;
1590 ++ulTotalWeight; // assume one MB weight for each differencing hard disk to manage
1591 Assert(pAttach->getMedium());
1592 LogFlowThisFunc(("op %d: considering hard disk attachment %s\n", ulOpCount, pAttach->getMedium()->getName().c_str()));
1593 }
1594 }
1595
1596 ULONG ulStateFileSizeMB = 0;
1597 if (pSnapshot->stateFilePath().length())
1598 {
1599 ++ulOpCount; // one for the saved state
1600
1601 uint64_t ullSize;
1602 int irc = RTFileQuerySize(pSnapshot->stateFilePath().c_str(), &ullSize);
1603 if (!RT_SUCCESS(irc))
1604 // if we can't access the file here, then we'll be doomed later also, so fail right away
1605 setError(E_FAIL, tr("Cannot access state file '%s', runtime error, %Rra"), pSnapshot->stateFilePath().c_str(), irc);
1606 if (ullSize == 0) // avoid division by zero
1607 ullSize = _1M;
1608
1609 ulStateFileSizeMB = (ULONG)(ullSize / _1M);
1610 LogFlowThisFunc(("op %d: saved state file '%s' has %RI64 bytes (%d MB)\n",
1611 ulOpCount, pSnapshot->stateFilePath().raw(), ullSize, ulStateFileSizeMB));
1612
1613 ulTotalWeight += ulStateFileSizeMB;
1614 }
1615
1616 ComObjPtr<Progress> pProgress;
1617 pProgress.createObject();
1618 pProgress->init(mParent, aInitiator,
1619 BstrFmt(tr("Restoring snapshot '%s'"), pSnapshot->getName().c_str()),
1620 FALSE /* aCancelable */,
1621 ulOpCount,
1622 ulTotalWeight,
1623 Bstr(tr("Restoring machine settings")),
1624 1);
1625
1626 /* create and start the task on a separate thread (note that it will not
1627 * start working until we release alock) */
1628 RestoreSnapshotTask *task = new RestoreSnapshotTask(this,
1629 pProgress,
1630 pSnapshot,
1631 ulStateFileSizeMB);
1632 int vrc = RTThreadCreate(NULL,
1633 taskHandler,
1634 (void*)task,
1635 0,
1636 RTTHREADTYPE_MAIN_WORKER,
1637 0,
1638 "RestoreSnap");
1639 if (RT_FAILURE(vrc))
1640 {
1641 delete task;
1642 ComAssertRCRet(vrc, E_FAIL);
1643 }
1644
1645 /* set the proper machine state (note: after creating a Task instance) */
1646 setMachineState(MachineState_RestoringSnapshot);
1647
1648 /* return the progress to the caller */
1649 pProgress.queryInterfaceTo(aProgress);
1650
1651 /* return the new state to the caller */
1652 *aMachineState = mData->mMachineState;
1653
1654 LogFlowThisFuncLeave();
1655
1656 return S_OK;
1657}
1658
1659/**
1660 * Worker method for the restore snapshot thread created by SessionMachine::RestoreSnapshot().
1661 * This method gets called indirectly through SessionMachine::taskHandler() which then
1662 * calls RestoreSnapshotTask::handler().
1663 *
1664 * The RestoreSnapshotTask contains the progress object returned to the console by
1665 * SessionMachine::RestoreSnapshot, through which progress and results are reported.
1666 *
1667 * @note Locks mParent + this object for writing.
1668 *
1669 * @param aTask Task data.
1670 */
1671void SessionMachine::restoreSnapshotHandler(RestoreSnapshotTask &aTask)
1672{
1673 LogFlowThisFuncEnter();
1674
1675 AutoCaller autoCaller(this);
1676
1677 LogFlowThisFunc(("state=%d\n", autoCaller.state()));
1678 if (!autoCaller.isOk())
1679 {
1680 /* we might have been uninitialized because the session was accidentally
1681 * closed by the client, so don't assert */
1682 aTask.pProgress->notifyComplete(E_FAIL,
1683 COM_IIDOF(IMachine),
1684 getComponentName(),
1685 tr("The session has been accidentally closed"));
1686
1687 LogFlowThisFuncLeave();
1688 return;
1689 }
1690
1691 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1692
1693 /* discard all current changes to mUserData (name, OSType etc.) (note that
1694 * the machine is powered off, so there is no need to inform the direct
1695 * session) */
1696 if (mData->flModifications)
1697 rollback(false /* aNotify */);
1698
1699 HRESULT rc = S_OK;
1700
1701 bool stateRestored = false;
1702 bool fNeedsSaveSettings = false;
1703
1704 try
1705 {
1706 /* Delete the saved state file if the machine was Saved prior to this
1707 * operation */
1708 if (aTask.machineStateBackup == MachineState_Saved)
1709 {
1710 Assert(!mSSData->mStateFilePath.isEmpty());
1711 RTFileDelete(mSSData->mStateFilePath.c_str());
1712 mSSData->mStateFilePath.setNull();
1713 aTask.modifyBackedUpState(MachineState_PoweredOff);
1714 rc = saveStateSettings(SaveSTS_StateFilePath);
1715 if (FAILED(rc))
1716 throw rc;
1717 }
1718
1719 RTTIMESPEC snapshotTimeStamp;
1720 RTTimeSpecSetMilli(&snapshotTimeStamp, 0);
1721
1722 {
1723 AutoReadLock snapshotLock(aTask.pSnapshot COMMA_LOCKVAL_SRC_POS);
1724
1725 /* remember the timestamp of the snapshot we're restoring from */
1726 snapshotTimeStamp = aTask.pSnapshot->getTimeStamp();
1727
1728 ComPtr<SnapshotMachine> pSnapshotMachine(aTask.pSnapshot->getSnapshotMachine());
1729
1730 /* copy all hardware data from the snapshot */
1731 copyFrom(pSnapshotMachine);
1732
1733 LogFlowThisFunc(("Restoring hard disks from the snapshot...\n"));
1734
1735 // restore the attachments from the snapshot
1736 setModified(IsModified_Storage);
1737 mMediaData.backup();
1738 mMediaData->mAttachments = pSnapshotMachine->mMediaData->mAttachments;
1739
1740 /* leave the locks before the potentially lengthy operation */
1741 snapshotLock.release();
1742 alock.leave();
1743
1744 rc = createImplicitDiffs(mUserData->mSnapshotFolderFull,
1745 aTask.pProgress,
1746 1,
1747 false /* aOnline */,
1748 &fNeedsSaveSettings);
1749 if (FAILED(rc))
1750 throw rc;
1751
1752 alock.enter();
1753 snapshotLock.acquire();
1754
1755 /* Note: on success, current (old) hard disks will be
1756 * deassociated/deleted on #commit() called from #saveSettings() at
1757 * the end. On failure, newly created implicit diffs will be
1758 * deleted by #rollback() at the end. */
1759
1760 /* should not have a saved state file associated at this point */
1761 Assert(mSSData->mStateFilePath.isEmpty());
1762
1763 if (!aTask.pSnapshot->stateFilePath().isEmpty())
1764 {
1765 Utf8Str snapStateFilePath = aTask.pSnapshot->stateFilePath();
1766
1767 Utf8Str stateFilePath = Utf8StrFmt("%ls%c{%RTuuid}.sav",
1768 mUserData->mSnapshotFolderFull.raw(),
1769 RTPATH_DELIMITER,
1770 mData->mUuid.raw());
1771
1772 LogFlowThisFunc(("Copying saved state file from '%s' to '%s'...\n",
1773 snapStateFilePath.raw(), stateFilePath.raw()));
1774
1775 aTask.pProgress->SetNextOperation(Bstr(tr("Restoring the execution state")),
1776 aTask.m_ulStateFileSizeMB); // weight
1777
1778 /* leave the lock before the potentially lengthy operation */
1779 snapshotLock.release();
1780 alock.leave();
1781
1782 /* copy the state file */
1783 int vrc = RTFileCopyEx(snapStateFilePath.c_str(),
1784 stateFilePath.c_str(),
1785 0,
1786 progressCallback,
1787 static_cast<IProgress*>(aTask.pProgress));
1788
1789 alock.enter();
1790 snapshotLock.acquire();
1791
1792 if (RT_SUCCESS(vrc))
1793 mSSData->mStateFilePath = stateFilePath;
1794 else
1795 throw setError(E_FAIL,
1796 tr("Could not copy the state file '%s' to '%s' (%Rrc)"),
1797 snapStateFilePath.raw(),
1798 stateFilePath.raw(),
1799 vrc);
1800 }
1801
1802 LogFlowThisFunc(("Setting new current snapshot {%RTuuid}\n", aTask.pSnapshot->getId().raw()));
1803 /* make the snapshot we restored from the current snapshot */
1804 mData->mCurrentSnapshot = aTask.pSnapshot;
1805 }
1806
1807 /* grab differencing hard disks from the old attachments that will
1808 * become unused and need to be auto-deleted */
1809 std::list< ComObjPtr<MediumAttachment> > llDiffAttachmentsToDelete;
1810
1811 for (MediaData::AttachmentList::const_iterator it = mMediaData.backedUpData()->mAttachments.begin();
1812 it != mMediaData.backedUpData()->mAttachments.end();
1813 ++it)
1814 {
1815 ComObjPtr<MediumAttachment> pAttach = *it;
1816 ComObjPtr<Medium> pMedium = pAttach->getMedium();
1817
1818 /* while the hard disk is attached, the number of children or the
1819 * parent cannot change, so no lock */
1820 if ( !pMedium.isNull()
1821 && pAttach->getType() == DeviceType_HardDisk
1822 && !pMedium->getParent().isNull()
1823 && pMedium->getChildren().size() == 0
1824 )
1825 {
1826 LogFlowThisFunc(("Picked differencing image '%s' for deletion\n", pMedium->getName().raw()));
1827
1828 llDiffAttachmentsToDelete.push_back(pAttach);
1829 }
1830 }
1831
1832 int saveFlags = 0;
1833
1834 /* we have already deleted the current state, so set the execution
1835 * state accordingly no matter of the delete snapshot result */
1836 if (!mSSData->mStateFilePath.isEmpty())
1837 setMachineState(MachineState_Saved);
1838 else
1839 setMachineState(MachineState_PoweredOff);
1840
1841 updateMachineStateOnClient();
1842 stateRestored = true;
1843
1844 /* assign the timestamp from the snapshot */
1845 Assert(RTTimeSpecGetMilli (&snapshotTimeStamp) != 0);
1846 mData->mLastStateChange = snapshotTimeStamp;
1847
1848 // detach the current-state diffs that we detected above and build a list of
1849 // image files to delete _after_ saveSettings()
1850
1851 MediaList llDiffsToDelete;
1852
1853 for (std::list< ComObjPtr<MediumAttachment> >::iterator it = llDiffAttachmentsToDelete.begin();
1854 it != llDiffAttachmentsToDelete.end();
1855 ++it)
1856 {
1857 ComObjPtr<MediumAttachment> pAttach = *it; // guaranteed to have only attachments where medium != NULL
1858 ComObjPtr<Medium> pMedium = pAttach->getMedium();
1859
1860 AutoWriteLock mlock(pMedium COMMA_LOCKVAL_SRC_POS);
1861
1862 LogFlowThisFunc(("Detaching old current state in differencing image '%s'\n", pMedium->getName().raw()));
1863
1864 // Normally we "detach" the medium by removing the attachment object
1865 // from the current machine data; saveSettings() below would then
1866 // compare the current machine data with the one in the backup
1867 // and actually call Medium::detachFrom(). But that works only half
1868 // the time in our case so instead we force a detachment here:
1869 // remove from machine data
1870 mMediaData->mAttachments.remove(pAttach);
1871 // remove it from the backup or else saveSettings will try to detach
1872 // it again and assert
1873 mMediaData.backedUpData()->mAttachments.remove(pAttach);
1874 // then clean up backrefs
1875 pMedium->detachFrom(mData->mUuid);
1876
1877 llDiffsToDelete.push_back(pMedium);
1878 }
1879
1880 // save machine settings, reset the modified flag and commit;
1881 rc = saveSettings(&fNeedsSaveSettings, SaveS_ResetCurStateModified | saveFlags);
1882 if (FAILED(rc))
1883 throw rc;
1884
1885 // let go of the locks while we're deleting image files below
1886 alock.leave();
1887 // from here on we cannot roll back on failure any more
1888
1889 for (MediaList::iterator it = llDiffsToDelete.begin();
1890 it != llDiffsToDelete.end();
1891 ++it)
1892 {
1893 ComObjPtr<Medium> &pMedium = *it;
1894 LogFlowThisFunc(("Deleting old current state in differencing image '%s'\n", pMedium->getName().raw()));
1895
1896 HRESULT rc2 = pMedium->deleteStorage(NULL /* aProgress */,
1897 true /* aWait */,
1898 &fNeedsSaveSettings);
1899 // ignore errors here because we cannot roll back after saveSettings() above
1900 if (SUCCEEDED(rc2))
1901 pMedium->uninit();
1902 }
1903
1904 if (fNeedsSaveSettings)
1905 {
1906 // finally, VirtualBox.xml needs saving too
1907 AutoWriteLock vboxLock(mParent COMMA_LOCKVAL_SRC_POS);
1908 mParent->saveSettings();
1909 }
1910 }
1911 catch (HRESULT aRC)
1912 {
1913 rc = aRC;
1914 }
1915
1916 if (FAILED(rc))
1917 {
1918 /* preserve existing error info */
1919 ErrorInfoKeeper eik;
1920
1921 /* undo all changes on failure */
1922 rollback(false /* aNotify */);
1923
1924 if (!stateRestored)
1925 {
1926 /* restore the machine state */
1927 setMachineState(aTask.machineStateBackup);
1928 updateMachineStateOnClient();
1929 }
1930 }
1931
1932 /* set the result (this will try to fetch current error info on failure) */
1933 aTask.pProgress->notifyComplete(rc);
1934
1935 if (SUCCEEDED(rc))
1936 mParent->onSnapshotDeleted(mData->mUuid, Guid());
1937
1938 LogFlowThisFunc(("Done restoring snapshot (rc=%08X)\n", rc));
1939
1940 LogFlowThisFuncLeave();
1941}
1942
1943////////////////////////////////////////////////////////////////////////////////
1944//
1945// DeleteSnapshot methods (SessionMachine and related tasks)
1946//
1947////////////////////////////////////////////////////////////////////////////////
1948
1949/**
1950 * Implementation for IInternalMachineControl::deleteSnapshot().
1951 *
1952 * Gets called from Console::DeleteSnapshot(), and that's basically the
1953 * only thing Console does. Deleting a snapshot happens entirely on the
1954 * server side since the machine cannot be running.
1955 *
1956 * This creates a new thread that does the work and returns a progress
1957 * object to the client which is then returned to the caller of
1958 * Console::DeleteSnapshot().
1959 *
1960 * Actual work then takes place in DeleteSnapshotTask::handler().
1961 *
1962 * @note Locks mParent + this + children objects for writing!
1963 */
1964STDMETHODIMP SessionMachine::DeleteSnapshot(IConsole *aInitiator,
1965 IN_BSTR aId,
1966 MachineState_T *aMachineState,
1967 IProgress **aProgress)
1968{
1969 LogFlowThisFuncEnter();
1970
1971 Guid id(aId);
1972 AssertReturn(aInitiator && !id.isEmpty(), E_INVALIDARG);
1973 AssertReturn(aMachineState && aProgress, E_POINTER);
1974
1975 AutoCaller autoCaller(this);
1976 AssertComRCReturn(autoCaller.rc(), autoCaller.rc());
1977
1978 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1979
1980 // machine must not be changing state
1981 ComAssertRet(!Global::IsTransient(mData->mMachineState), E_FAIL);
1982
1983 ComObjPtr<Snapshot> pSnapshot;
1984 HRESULT rc = findSnapshot(id, pSnapshot, true /* aSetError */);
1985 if (FAILED(rc)) return rc;
1986
1987 AutoWriteLock snapshotLock(pSnapshot COMMA_LOCKVAL_SRC_POS);
1988
1989 size_t childrenCount = pSnapshot->getChildrenCount();
1990 if (childrenCount > 1)
1991 return setError(VBOX_E_INVALID_OBJECT_STATE,
1992 tr("Snapshot '%s' of the machine '%ls' cannot be deleted. because it has %d child snapshots, which is more than the one snapshot allowed for deletion"),
1993 pSnapshot->getName().c_str(),
1994 mUserData->mName.raw(),
1995 childrenCount);
1996
1997 /* If the snapshot being deleted is the current one, ensure current
1998 * settings are committed and saved.
1999 */
2000 if (pSnapshot == mData->mCurrentSnapshot)
2001 {
2002 if (mData->flModifications)
2003 {
2004 rc = saveSettings(NULL);
2005 // no need to change for whether VirtualBox.xml needs saving since
2006 // we can't have a machine XML rename pending at this point
2007 if (FAILED(rc)) return rc;
2008 }
2009 }
2010
2011 ComObjPtr<SnapshotMachine> pSnapMachine = pSnapshot->getSnapshotMachine();
2012
2013 /* create a progress object. The number of operations is:
2014 * 1 (preparing) + 1 if the snapshot is online + # of normal hard disks
2015 */
2016 LogFlowThisFunc(("Going thru snapshot machine attachments to determine progress setup\n"));
2017
2018 ULONG ulOpCount = 1; // one for preparations
2019 ULONG ulTotalWeight = 1; // one for preparations
2020
2021 if (pSnapshot->stateFilePath().length())
2022 {
2023 ++ulOpCount;
2024 ++ulTotalWeight; // assume 1 MB for deleting the state file
2025 }
2026
2027 // count normal hard disks and add their sizes to the weight
2028 for (MediaData::AttachmentList::iterator it = pSnapMachine->mMediaData->mAttachments.begin();
2029 it != pSnapMachine->mMediaData->mAttachments.end();
2030 ++it)
2031 {
2032 ComObjPtr<MediumAttachment> &pAttach = *it;
2033 AutoReadLock attachLock(pAttach COMMA_LOCKVAL_SRC_POS);
2034 if (pAttach->getType() == DeviceType_HardDisk)
2035 {
2036 ComObjPtr<Medium> pHD = pAttach->getMedium();
2037 Assert(pHD);
2038 AutoReadLock mlock(pHD COMMA_LOCKVAL_SRC_POS);
2039
2040 MediumType_T type = pHD->getType();
2041 if (type != MediumType_Writethrough) // writethrough images are unaffected by snapshots, so do nothing for them
2042 {
2043 // normal or immutable media need attention
2044 ++ulOpCount;
2045 ulTotalWeight += (ULONG)(pHD->getSize() / _1M);
2046 }
2047 LogFlowThisFunc(("op %d: considering hard disk attachment %s\n", ulOpCount, pHD->getName().c_str()));
2048 }
2049 }
2050
2051 ComObjPtr<Progress> pProgress;
2052 pProgress.createObject();
2053 pProgress->init(mParent, aInitiator,
2054 BstrFmt(tr("Deleting snapshot '%s'"), pSnapshot->getName().c_str()),
2055 FALSE /* aCancelable */,
2056 ulOpCount,
2057 ulTotalWeight,
2058 Bstr(tr("Setting up")),
2059 1);
2060
2061 bool fDeleteOnline = ( (mData->mMachineState == MachineState_Running)
2062 || (mData->mMachineState == MachineState_Paused));
2063
2064 /* create and start the task on a separate thread */
2065 DeleteSnapshotTask *task = new DeleteSnapshotTask(this, pProgress,
2066 fDeleteOnline, pSnapshot);
2067 int vrc = RTThreadCreate(NULL,
2068 taskHandler,
2069 (void*)task,
2070 0,
2071 RTTHREADTYPE_MAIN_WORKER,
2072 0,
2073 "DeleteSnapshot");
2074 if (RT_FAILURE(vrc))
2075 {
2076 delete task;
2077 return E_FAIL;
2078 }
2079
2080 // the task might start running but will block on acquiring the machine's write lock
2081 // which we acquired above; once this function leaves, the task will be unblocked;
2082 // set the proper machine state here now (note: after creating a Task instance)
2083 /// @todo introduce a separate state for online snapshot deletion
2084 setMachineState(MachineState_DeletingSnapshot);
2085
2086 /* return the progress to the caller */
2087 pProgress.queryInterfaceTo(aProgress);
2088
2089 /* return the new state to the caller */
2090 *aMachineState = mData->mMachineState;
2091
2092 LogFlowThisFuncLeave();
2093
2094 return S_OK;
2095}
2096
2097/**
2098 * Helper struct for SessionMachine::deleteSnapshotHandler().
2099 */
2100struct MediumDeleteRec
2101{
2102 MediumDeleteRec()
2103 : mfNeedsOnlineMerge(false),
2104 mpMediumLockList(NULL)
2105 {}
2106
2107 MediumDeleteRec(const ComObjPtr<Medium> &aHd,
2108 const ComObjPtr<Medium> &aSource,
2109 const ComObjPtr<Medium> &aTarget,
2110 bool fMergeForward,
2111 const ComObjPtr<Medium> &aParentForTarget,
2112 const MediaList &aChildrenToReparent,
2113 bool fNeedsOnlineMerge,
2114 MediumLockList *aMediumLockList)
2115 : mpHD(aHd),
2116 mpSource(aSource),
2117 mpTarget(aTarget),
2118 mfMergeForward(fMergeForward),
2119 mpParentForTarget(aParentForTarget),
2120 mChildrenToReparent(aChildrenToReparent),
2121 mfNeedsOnlineMerge(fNeedsOnlineMerge),
2122 mpMediumLockList(aMediumLockList)
2123 {}
2124
2125 MediumDeleteRec(const ComObjPtr<Medium> &aHd,
2126 const ComObjPtr<Medium> &aSource,
2127 const ComObjPtr<Medium> &aTarget,
2128 bool fMergeForward,
2129 const ComObjPtr<Medium> &aParentForTarget,
2130 const MediaList &aChildrenToReparent,
2131 bool fNeedsOnlineMerge,
2132 MediumLockList *aMediumLockList,
2133 const Guid &aMachineId,
2134 const Guid &aSnapshotId)
2135 : mpHD(aHd),
2136 mpSource(aSource),
2137 mpTarget(aTarget),
2138 mfMergeForward(fMergeForward),
2139 mpParentForTarget(aParentForTarget),
2140 mChildrenToReparent(aChildrenToReparent),
2141 mfNeedsOnlineMerge(fNeedsOnlineMerge),
2142 mpMediumLockList(aMediumLockList),
2143 mMachineId(aMachineId),
2144 mSnapshotId(aSnapshotId)
2145 {}
2146
2147 ComObjPtr<Medium> mpHD;
2148 ComObjPtr<Medium> mpSource;
2149 ComObjPtr<Medium> mpTarget;
2150 bool mfMergeForward;
2151 ComObjPtr<Medium> mpParentForTarget;
2152 MediaList mChildrenToReparent;
2153 bool mfNeedsOnlineMerge;
2154 MediumLockList *mpMediumLockList;
2155 /* these are for reattaching the hard disk in case of a failure: */
2156 Guid mMachineId;
2157 Guid mSnapshotId;
2158};
2159
2160typedef std::list<MediumDeleteRec> MediumDeleteRecList;
2161
2162/**
2163 * Worker method for the delete snapshot thread created by
2164 * SessionMachine::DeleteSnapshot(). This method gets called indirectly
2165 * through SessionMachine::taskHandler() which then calls
2166 * DeleteSnapshotTask::handler().
2167 *
2168 * The DeleteSnapshotTask contains the progress object returned to the console
2169 * by SessionMachine::DeleteSnapshot, through which progress and results are
2170 * reported.
2171 *
2172 * SessionMachine::DeleteSnapshot() has set the machne state to
2173 * MachineState_DeletingSnapshot right after creating this task. Since we block
2174 * on the machine write lock at the beginning, once that has been acquired, we
2175 * can assume that the machine state is indeed that.
2176 *
2177 * @note Locks the machine + the snapshot + the media tree for writing!
2178 *
2179 * @param aTask Task data.
2180 */
2181
2182void SessionMachine::deleteSnapshotHandler(DeleteSnapshotTask &aTask)
2183{
2184 LogFlowThisFuncEnter();
2185
2186 AutoCaller autoCaller(this);
2187
2188 LogFlowThisFunc(("state=%d\n", autoCaller.state()));
2189 if (!autoCaller.isOk())
2190 {
2191 /* we might have been uninitialized because the session was accidentally
2192 * closed by the client, so don't assert */
2193 aTask.pProgress->notifyComplete(E_FAIL,
2194 COM_IIDOF(IMachine),
2195 getComponentName(),
2196 tr("The session has been accidentally closed"));
2197 LogFlowThisFuncLeave();
2198 return;
2199 }
2200
2201 MediumDeleteRecList toDelete;
2202
2203 HRESULT rc = S_OK;
2204
2205 bool fMachineSettingsChanged = false; // Machine
2206 bool fNeedsSaveSettings = false; // VirtualBox.xml
2207
2208 Guid snapshotId;
2209
2210 try
2211 {
2212 /* Locking order: */
2213 AutoMultiWriteLock3 multiLock(this->lockHandle(), // machine
2214 aTask.pSnapshot->lockHandle(), // snapshot
2215 &mParent->getMediaTreeLockHandle() // media tree
2216 COMMA_LOCKVAL_SRC_POS);
2217 // once we have this lock, we know that SessionMachine::DeleteSnapshot()
2218 // has exited after setting the machine state to MachineState_DeletingSnapshot
2219
2220 ComObjPtr<SnapshotMachine> pSnapMachine = aTask.pSnapshot->getSnapshotMachine();
2221 // no need to lock the snapshot machine since it is const by definiton
2222 Guid machineId = pSnapMachine->getId();
2223
2224 // save the snapshot ID (for callbacks)
2225 snapshotId = aTask.pSnapshot->getId();
2226
2227 // first pass:
2228 LogFlowThisFunc(("1: Checking hard disk merge prerequisites...\n"));
2229
2230 // Go thru the attachments of the snapshot machine (the media in here
2231 // point to the disk states _before_ the snapshot was taken, i.e. the
2232 // state we're restoring to; for each such medium, we will need to
2233 // merge it with its one and only child (the diff image holding the
2234 // changes written after the snapshot was taken).
2235 for (MediaData::AttachmentList::iterator it = pSnapMachine->mMediaData->mAttachments.begin();
2236 it != pSnapMachine->mMediaData->mAttachments.end();
2237 ++it)
2238 {
2239 ComObjPtr<MediumAttachment> &pAttach = *it;
2240 AutoReadLock attachLock(pAttach COMMA_LOCKVAL_SRC_POS);
2241 if (pAttach->getType() != DeviceType_HardDisk)
2242 continue;
2243
2244 ComObjPtr<Medium> pHD = pAttach->getMedium();
2245 Assert(!pHD.isNull());
2246
2247 {
2248 // writethrough images are unaffected by snapshots, skip them
2249 AutoReadLock medlock(pHD COMMA_LOCKVAL_SRC_POS);
2250 MediumType_T type = pHD->getType();
2251 if (type == MediumType_Writethrough)
2252 continue;
2253 }
2254
2255#ifdef DEBUG
2256 pHD->dumpBackRefs();
2257#endif
2258
2259 // needs to be merged with child or deleted, check prerequisites
2260 ComObjPtr<Medium> pTarget;
2261 ComObjPtr<Medium> pSource;
2262 bool fMergeForward = false;
2263 ComObjPtr<Medium> pParentForTarget;
2264 MediaList childrenToReparent;
2265 bool fNeedsOnlineMerge = false;
2266 bool fOnlineMergePossible = aTask.m_fDeleteOnline;
2267 MediumLockList *pMediumLockList = NULL;
2268 MediumLockList *pVMMALockList = NULL;
2269 if (fOnlineMergePossible)
2270 {
2271 // Look up the corresponding medium attachment in the currently
2272 // running VM. Any failure prevents a live merge. Could be made
2273 // a tad smarter by trying a few candidates, so that e.g. disks
2274 // which are simply moved to a different controller slot do not
2275 // prevent online merging in general.
2276 MediumAttachment *pMachAtt =
2277 findAttachment(mMediaData->mAttachments,
2278 pAttach->getControllerName(),
2279 pAttach->getPort(),
2280 pAttach->getDevice());
2281 if (pMachAtt)
2282 {
2283 rc = mData->mSession.mLockedMedia.Get(pMachAtt,
2284 pVMMALockList);
2285 if (FAILED(rc))
2286 fOnlineMergePossible = false;
2287 }
2288 else
2289 fOnlineMergePossible = false;
2290 }
2291 rc = prepareDeleteSnapshotMedium(pHD, machineId, snapshotId,
2292 fOnlineMergePossible,
2293 pVMMALockList, pSource, pTarget,
2294 fMergeForward, pParentForTarget,
2295 childrenToReparent,
2296 fNeedsOnlineMerge,
2297 pMediumLockList);
2298 if (FAILED(rc))
2299 throw rc;
2300
2301 // no need to hold the lock any longer
2302 attachLock.release();
2303
2304 // For simplicity, prepareDeleteSnapshotMedium selects the merge
2305 // direction in the following way: we merge pHD onto its child
2306 // (forward merge), not the other way round, because that saves us
2307 // from unnecessarily shuffling around the attachments for the
2308 // machine that follows the snapshot (next snapshot or current
2309 // state), unless it's a base image. Backwards merges of the first
2310 // snapshot into the base image is essential, as it ensures that
2311 // when all snapshots are deleted the only remaining image is a
2312 // base image. Important e.g. for medium formats which do not have
2313 // a file representation such as iSCSI.
2314
2315 // a couple paranoia checks for backward merges
2316 if (pMediumLockList != NULL && !fMergeForward)
2317 {
2318 // parent is null -> this disk is a base hard disk: we will
2319 // then do a backward merge, i.e. merge its only child onto the
2320 // base disk. Here we need then to update the attachment that
2321 // refers to the child and have it point to the parent instead
2322 Assert(pHD->getParent().isNull());
2323 Assert(pHD->getChildren().size() == 1);
2324
2325 ComObjPtr<Medium> pReplaceHD = pHD->getChildren().front();
2326
2327 ComAssertThrow(pReplaceHD == pSource, E_FAIL);
2328 }
2329
2330 Guid replaceMachineId;
2331 Guid replaceSnapshotId;
2332
2333 const Guid *pReplaceMachineId = pSource->getFirstMachineBackrefId();
2334 // minimal sanity checking
2335 Assert(!pReplaceMachineId || *pReplaceMachineId == mData->mUuid);
2336 if (pReplaceMachineId)
2337 replaceMachineId = *pReplaceMachineId;
2338
2339 const Guid *pSnapshotId = pSource->getFirstMachineBackrefSnapshotId();
2340 if (pSnapshotId)
2341 replaceSnapshotId = *pSnapshotId;
2342
2343 if (!replaceMachineId.isEmpty())
2344 {
2345 // Adjust the backreferences, otherwise merging will assert.
2346 // Note that the medium attachment object stays associated
2347 // with the snapshot until the merge was successful.
2348 HRESULT rc2 = S_OK;
2349 rc2 = pSource->detachFrom(replaceMachineId, replaceSnapshotId);
2350 AssertComRC(rc2);
2351
2352 toDelete.push_back(MediumDeleteRec(pHD, pSource, pTarget,
2353 fMergeForward,
2354 pParentForTarget,
2355 childrenToReparent,
2356 fNeedsOnlineMerge,
2357 pMediumLockList,
2358 replaceMachineId,
2359 replaceSnapshotId));
2360 }
2361 else
2362 toDelete.push_back(MediumDeleteRec(pHD, pSource, pTarget,
2363 fMergeForward,
2364 pParentForTarget,
2365 childrenToReparent,
2366 fNeedsOnlineMerge,
2367 pMediumLockList));
2368 }
2369
2370 // we can release the lock now since the machine state is MachineState_DeletingSnapshot
2371 multiLock.release();
2372
2373 /* Now we checked that we can successfully merge all normal hard disks
2374 * (unless a runtime error like end-of-disc happens). Now get rid of
2375 * the saved state (if present), as that will free some disk space.
2376 * The snapshot itself will be deleted as late as possible, so that
2377 * the user can repeat the delete operation if he runs out of disk
2378 * space or cancels the delete operation. */
2379
2380 /* second pass: */
2381 LogFlowThisFunc(("2: Deleting snapshot...\n"));
2382
2383 {
2384 // saveAllSnapshots() needs a machine lock, and the snapshots
2385 // tree is protected by the machine lock as well
2386 AutoWriteLock machineLock(this COMMA_LOCKVAL_SRC_POS);
2387
2388 Utf8Str stateFilePath = aTask.pSnapshot->stateFilePath();
2389 if (!stateFilePath.isEmpty())
2390 {
2391 aTask.pProgress->SetNextOperation(Bstr(tr("Deleting the execution state")),
2392 1); // weight
2393
2394 aTask.pSnapshot->deleteStateFile();
2395 fMachineSettingsChanged = true;
2396 }
2397 }
2398
2399 /* third pass: */
2400 LogFlowThisFunc(("3: Performing actual hard disk merging...\n"));
2401
2402 /// @todo NEWMEDIA turn the following errors into warnings because the
2403 /// snapshot itself has been already deleted (and interpret these
2404 /// warnings properly on the GUI side)
2405 for (MediumDeleteRecList::iterator it = toDelete.begin();
2406 it != toDelete.end();)
2407 {
2408 const ComObjPtr<Medium> &pMedium(it->mpHD);
2409 ULONG ulWeight;
2410
2411 {
2412 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
2413 ulWeight = (ULONG)(pMedium->getSize() / _1M);
2414 }
2415
2416 aTask.pProgress->SetNextOperation(BstrFmt(tr("Merging differencing image '%s'"),
2417 pMedium->getName().raw()),
2418 ulWeight);
2419
2420 /// @todo not yet implemented, to be continued
2421 if (it->mfNeedsOnlineMerge)
2422 throw setError(E_NOTIMPL,
2423 tr("Live merge not implemented"));
2424
2425 bool fNeedSourceUninit = false;
2426 bool fReparentTarget = false;
2427 if (it->mpMediumLockList == NULL)
2428 {
2429 /* no real merge needed, just updating state and delete
2430 * diff files if necessary */
2431 AutoMultiWriteLock2 mLock(&mParent->getMediaTreeLockHandle(), pMedium->lockHandle() COMMA_LOCKVAL_SRC_POS);
2432
2433 Assert( !it->mfMergeForward
2434 || pMedium->getChildren().size() == 0);
2435
2436 /* Delete the differencing hard disk (has no children). Two
2437 * exceptions: if it's the last medium in the chain or if it's
2438 * a backward merge we don't want to handle due to complextity.
2439 * In both cases leave the image in place. If it's the first
2440 * exception the user can delete it later if he wants. */
2441 if (!pMedium->getParent().isNull())
2442 {
2443 Assert(pMedium->getState() == MediumState_Deleting);
2444 /* No need to hold the lock any longer. */
2445 mLock.release();
2446 rc = pMedium->deleteStorage(&aTask.pProgress,
2447 true /* aWait */,
2448 &fNeedsSaveSettings);
2449 if (FAILED(rc))
2450 throw rc;
2451
2452 // need to uninit the deleted medium
2453 fNeedSourceUninit = true;
2454 }
2455 }
2456 else
2457 {
2458 // normal merge operation, in the direction decided earlier
2459 rc = it->mpSource->mergeTo(it->mpTarget, it->mfMergeForward,
2460 it->mpParentForTarget,
2461 it->mChildrenToReparent,
2462 it->mpMediumLockList,
2463 &aTask.pProgress, true /* aWait */,
2464 &fNeedsSaveSettings);
2465
2466 if (FAILED(rc))
2467 throw rc;
2468
2469 // need to uninit the medium deleted by the merge
2470 fNeedSourceUninit = true;
2471
2472 // need to change the medium attachment for backward merges
2473 fReparentTarget = !it->mfMergeForward;
2474
2475 /* On success delete the no longer needed medium lock
2476 * list. This unlocks the media as well. */
2477 delete it->mpMediumLockList;
2478 it->mpMediumLockList = NULL;
2479 }
2480
2481 // Now that the medium is successfully merged/deleted/whatever,
2482 // remove the medium attachment from the snapshot. For a backwards
2483 // merge the target attachment needs to be removed from the
2484 // snapshot, as the VM will take it over. For forward merges the
2485 // source medium attachment needs to be removed.
2486 ComObjPtr<MediumAttachment> pAtt;
2487 if (fReparentTarget)
2488 {
2489 pAtt = findAttachment(pSnapMachine->mMediaData->mAttachments,
2490 it->mpTarget);
2491 it->mpTarget->detachFrom(machineId, snapshotId);
2492 }
2493 else
2494 pAtt = findAttachment(pSnapMachine->mMediaData->mAttachments,
2495 it->mpSource);
2496 pSnapMachine->mMediaData->mAttachments.remove(pAtt);
2497
2498 if (fReparentTarget)
2499 {
2500 // search for old source attachment and replace with target
2501 pAtt = findAttachment(mMediaData->mAttachments, it->mpSource);
2502 AutoWriteLock attLock(pAtt COMMA_LOCKVAL_SRC_POS);
2503 pAtt->updateMedium(it->mpTarget, false /* aImplicit */);
2504 it->mpTarget->attachTo(mData->mUuid);
2505 }
2506
2507 if (fNeedSourceUninit)
2508 it->mpSource->uninit();
2509
2510 // One attachment is merged, must save the settings
2511 fMachineSettingsChanged = true;
2512
2513 /* prevent from calling cancelDeleteSnapshotMedium() */
2514 it = toDelete.erase(it);
2515 }
2516
2517 {
2518 // beginSnapshotDelete() needs the machine lock, and the snapshots
2519 // tree is protected by the machine lock as well
2520 AutoWriteLock machineLock(this COMMA_LOCKVAL_SRC_POS);
2521
2522 aTask.pSnapshot->beginSnapshotDelete();
2523 aTask.pSnapshot->uninit();
2524
2525 fMachineSettingsChanged = true;
2526 }
2527 }
2528 catch (HRESULT aRC) { rc = aRC; }
2529
2530 if (FAILED(rc))
2531 {
2532 // preserve existing error info so that the result can
2533 // be properly reported to the progress object below
2534 ErrorInfoKeeper eik;
2535
2536 AutoMultiWriteLock2 multiLock(this->lockHandle(), // machine
2537 &mParent->getMediaTreeLockHandle() // media tree
2538 COMMA_LOCKVAL_SRC_POS);
2539
2540 // un-prepare the remaining hard disks
2541 for (MediumDeleteRecList::const_iterator it = toDelete.begin();
2542 it != toDelete.end();
2543 ++it)
2544 {
2545 cancelDeleteSnapshotMedium(it->mpHD, it->mpSource,
2546 it->mChildrenToReparent,
2547 it->mfNeedsOnlineMerge,
2548 it->mpMediumLockList, it->mMachineId,
2549 it->mSnapshotId);
2550 }
2551 }
2552
2553 // whether we were successful or not, we need to set the machine
2554 // state and save the machine settings;
2555 {
2556 // preserve existing error info so that the result can
2557 // be properly reported to the progress object below
2558 ErrorInfoKeeper eik;
2559
2560 // restore the machine state that was saved when the
2561 // task was started
2562 setMachineState(aTask.machineStateBackup);
2563 updateMachineStateOnClient();
2564
2565 if (fMachineSettingsChanged || fNeedsSaveSettings)
2566 {
2567 if (fMachineSettingsChanged)
2568 {
2569 AutoWriteLock machineLock(this COMMA_LOCKVAL_SRC_POS);
2570 saveSettings(&fNeedsSaveSettings, SaveS_InformCallbacksAnyway);
2571 }
2572
2573 if (fNeedsSaveSettings)
2574 {
2575 AutoWriteLock vboxLock(mParent COMMA_LOCKVAL_SRC_POS);
2576 mParent->saveSettings();
2577 }
2578 }
2579 }
2580
2581 // report the result (this will try to fetch current error info on failure)
2582 aTask.pProgress->notifyComplete(rc);
2583
2584 if (SUCCEEDED(rc))
2585 mParent->onSnapshotDeleted(mData->mUuid, snapshotId);
2586
2587 LogFlowThisFunc(("Done deleting snapshot (rc=%08X)\n", rc));
2588 LogFlowThisFuncLeave();
2589}
2590
2591/**
2592 * Checks that this hard disk (part of a snapshot) may be deleted/merged and
2593 * performs necessary state changes. Must not be called for writethrough disks
2594 * because there is nothing to delete/merge then.
2595 *
2596 * This method is to be called prior to calling #deleteSnapshotMedium().
2597 * If #deleteSnapshotMedium() is not called or fails, the state modifications
2598 * performed by this method must be undone by #cancelDeleteSnapshotMedium().
2599 *
2600 * @param aHD Hard disk which is connected to the snapshot.
2601 * @param aMachineId UUID of machine this hard disk is attached to.
2602 * @param aSnapshotId UUID of snapshot this hard disk is attached to. May
2603 * be a zero UUID if no snapshot is applicable.
2604 * @param fOnlineMergePossible Flag whether an online merge is possible.
2605 * @param aVMMALockList Medium lock list for the medium attachment of this VM.
2606 * Only used if @a fOnlineMergePossible is @c true, and
2607 * must be non-NULL in this case.
2608 * @param aSource Source hard disk for merge (out).
2609 * @param aTarget Target hard disk for merge (out).
2610 * @param aMergeForward Merge direction decision (out).
2611 * @param aParentForTarget New parent if target needs to be reparented (out).
2612 * @param aChildrenToReparent Children which have to be reparented to the
2613 * target (out).
2614 * @param fNeedsOnlineMerge Whether this merge needs to be done online (out).
2615 * If this is set to @a true then the @a aVMMALockList
2616 * parameter has been modified and is returned as
2617 * @a aMediumLockList.
2618 * @param aMediumLockList Where to store the created medium lock list (may
2619 * return NULL if no real merge is necessary).
2620 *
2621 * @note Caller must hold media tree lock for writing. This locks this object
2622 * and every medium object on the merge chain for writing.
2623 */
2624HRESULT SessionMachine::prepareDeleteSnapshotMedium(const ComObjPtr<Medium> &aHD,
2625 const Guid &aMachineId,
2626 const Guid &aSnapshotId,
2627 bool fOnlineMergePossible,
2628 MediumLockList *aVMMALockList,
2629 ComObjPtr<Medium> &aSource,
2630 ComObjPtr<Medium> &aTarget,
2631 bool &aMergeForward,
2632 ComObjPtr<Medium> &aParentForTarget,
2633 MediaList &aChildrenToReparent,
2634 bool &fNeedsOnlineMerge,
2635 MediumLockList * &aMediumLockList)
2636{
2637 Assert(mParent->getMediaTreeLockHandle().isWriteLockOnCurrentThread());
2638 Assert(!fOnlineMergePossible || VALID_PTR(aVMMALockList));
2639
2640 AutoWriteLock alock(aHD COMMA_LOCKVAL_SRC_POS);
2641
2642 // Medium must not be writethrough at this point
2643 AssertReturn(aHD->getType() != MediumType_Writethrough, E_FAIL);
2644
2645 aMediumLockList = NULL;
2646 fNeedsOnlineMerge = false;
2647
2648 if (aHD->getChildren().size() == 0)
2649 {
2650 /* This technically is no merge, set those values nevertheless.
2651 * Helps with updating the medium attachments. */
2652 aSource = aHD;
2653 aTarget = aHD;
2654
2655 /* special treatment of the last hard disk in the chain: */
2656 if (aHD->getParent().isNull())
2657 {
2658 /* lock only, to prevent any usage until the snapshot deletion
2659 * is completed */
2660 return aHD->LockWrite(NULL);
2661 }
2662
2663 /* the differencing hard disk w/o children will be deleted, protect it
2664 * from attaching to other VMs (this is why Deleting) */
2665 return aHD->markForDeletion();
2666 }
2667
2668 /* not going multi-merge as it's too expensive */
2669 if (aHD->getChildren().size() > 1)
2670 return setError(E_FAIL,
2671 tr("Hard disk '%s' has more than one child hard disk (%d)"),
2672 aHD->getLocationFull().raw(),
2673 aHD->getChildren().size());
2674
2675 ComObjPtr<Medium> pChild = aHD->getChildren().front();
2676
2677 /* we keep this locked, so lock the affected child to make sure the lock
2678 * order is correct when calling prepareMergeTo() */
2679 AutoWriteLock childLock(pChild COMMA_LOCKVAL_SRC_POS);
2680
2681 /* the rest is a normal merge setup */
2682 if (aHD->getParent().isNull())
2683 {
2684 /* base hard disk, backward merge */
2685 const Guid *pMachineId1 = pChild->getFirstMachineBackrefId();
2686 const Guid *pMachineId2 = aHD->getFirstMachineBackrefId();
2687 if (pMachineId1 && pMachineId2 && *pMachineId1 != *pMachineId2)
2688 {
2689 /* backward merge is too tricky, we'll just detach on snapshot
2690 * deletion, so lock only, to prevent any usage */
2691 return aHD->LockWrite(NULL);
2692 }
2693
2694 aSource = pChild;
2695 aTarget = aHD;
2696 }
2697 else
2698 {
2699 /* forward merge */
2700 aSource = aHD;
2701 aTarget = pChild;
2702 }
2703
2704 HRESULT rc;
2705 rc = aSource->prepareMergeTo(aTarget, &aMachineId, &aSnapshotId, false,
2706 aMergeForward, aParentForTarget,
2707 aChildrenToReparent, aMediumLockList);
2708 if (SUCCEEDED(rc))
2709 {
2710 /* Try to lock the newly constructed medium lock list. If it succeeds
2711 * this can be handled as an offline merge, i.e. without the need of
2712 * asking the VM to do the merging. Only continue with the online
2713 * merging preparation if applicable. */
2714 rc = aMediumLockList->Lock();
2715 if (FAILED(rc) && fOnlineMergePossible)
2716 {
2717 /* Locking failed, this cannot be done as an offline merge. Try to
2718 * combine the locking information into the lock list of the medium
2719 * attachment in the running VM. If that fails or locking the
2720 * resulting lock list fails then the merge cannot be done online.
2721 * It can be repeated by the user when the VM is shut down. */
2722 MediumLockList::Base::iterator lockListVMMABegin =
2723 aVMMALockList->GetBegin();
2724 MediumLockList::Base::iterator lockListVMMAEnd =
2725 aVMMALockList->GetEnd();
2726 MediumLockList::Base::iterator lockListBegin =
2727 aMediumLockList->GetBegin();
2728 MediumLockList::Base::iterator lockListEnd =
2729 aMediumLockList->GetEnd();
2730 for (MediumLockList::Base::iterator it = lockListVMMABegin,
2731 it2 = lockListBegin;
2732 it2 != lockListEnd;
2733 ++it, ++it2)
2734 {
2735 if ( it == lockListVMMAEnd
2736 || it->GetMedium() != it2->GetMedium())
2737 {
2738 fOnlineMergePossible = false;
2739 break;
2740 }
2741 bool fLockReq = (it2->GetLockRequest() || it->GetLockRequest());
2742 rc = it->UpdateLock(fLockReq);
2743 if (FAILED(rc))
2744 {
2745 // could not update the lock, trigger cleanup below
2746 fOnlineMergePossible = false;
2747 break;
2748 }
2749 }
2750 if (fOnlineMergePossible)
2751 {
2752 rc = aVMMALockList->Lock();
2753 if (FAILED(rc))
2754 {
2755 aSource->cancelMergeTo(aChildrenToReparent, aMediumLockList);
2756 rc = setError(rc,
2757 tr("Cannot lock hard disk '%s' for a live merge"),
2758 aHD->getLocationFull().raw());
2759 }
2760 else
2761 {
2762 delete aMediumLockList;
2763 aMediumLockList = aVMMALockList;
2764 fNeedsOnlineMerge = true;
2765 }
2766 }
2767 else
2768 {
2769 aSource->cancelMergeTo(aChildrenToReparent, aMediumLockList);
2770 rc = setError(rc,
2771 tr("Failed to construct lock list for a live merge of hard disk '%s'"),
2772 aHD->getLocationFull().raw());
2773 }
2774
2775 // fix the VM's lock list if anything failed
2776 if (FAILED(rc))
2777 {
2778 lockListVMMABegin = aVMMALockList->GetBegin();
2779 lockListVMMAEnd = aVMMALockList->GetEnd();
2780 MediumLockList::Base::iterator lockListLast = lockListVMMAEnd;
2781 lockListLast--;
2782 for (MediumLockList::Base::iterator it = lockListVMMABegin;
2783 it != lockListVMMAEnd;
2784 ++it)
2785 {
2786 it->UpdateLock(it == lockListLast);
2787 ComObjPtr<Medium> pMedium = it->GetMedium();
2788 AutoWriteLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
2789 // blindly apply this, only needed for medium objects which
2790 // would be deleted as part of the merge
2791 pMedium->unmarkLockedForDeletion();
2792 }
2793 }
2794
2795 }
2796 else
2797 {
2798 aSource->cancelMergeTo(aChildrenToReparent, aMediumLockList);
2799 rc = setError(rc,
2800 tr("Cannot lock hard disk '%s' for an offline merge"),
2801 aHD->getLocationFull().raw());
2802 }
2803 }
2804
2805 return rc;
2806}
2807
2808/**
2809 * Cancels the deletion/merging of this hard disk (part of a snapshot). Undoes
2810 * what #prepareDeleteSnapshotMedium() did. Must be called if
2811 * #deleteSnapshotMedium() is not called or fails.
2812 *
2813 * @param aHD Hard disk which is connected to the snapshot.
2814 * @param aSource Source hard disk for merge.
2815 * @param aChildrenToReparent Children to unlock.
2816 * @param fNeedsOnlineMerge Whether this merge needs to be done online.
2817 * @param aMediumLockList Medium locks to cancel.
2818 * @param aMachineId Machine id to attach the medium to.
2819 * @param aSnapshotId Snapshot id to attach the medium to.
2820 *
2821 * @note Locks the medium tree and the hard disks in the chain for writing.
2822 */
2823void SessionMachine::cancelDeleteSnapshotMedium(const ComObjPtr<Medium> &aHD,
2824 const ComObjPtr<Medium> &aSource,
2825 const MediaList &aChildrenToReparent,
2826 bool fNeedsOnlineMerge,
2827 MediumLockList *aMediumLockList,
2828 const Guid &aMachineId,
2829 const Guid &aSnapshotId)
2830{
2831 if (aMediumLockList == NULL)
2832 {
2833 AutoMultiWriteLock2 mLock(&mParent->getMediaTreeLockHandle(), aHD->lockHandle() COMMA_LOCKVAL_SRC_POS);
2834
2835 Assert(aHD->getChildren().size() == 0);
2836
2837 if (aHD->getParent().isNull())
2838 {
2839 HRESULT rc = aHD->UnlockWrite(NULL);;
2840 AssertComRC(rc);
2841 }
2842 else
2843 {
2844 HRESULT rc = aHD->unmarkForDeletion();
2845 AssertComRC(rc);
2846 }
2847 }
2848 else
2849 {
2850 if (fNeedsOnlineMerge)
2851 {
2852 // Online merge uses the medium lock list of the VM, so give
2853 // an empty list to cancelMergeTo so that it works as designed.
2854 aSource->cancelMergeTo(aChildrenToReparent, new MediumLockList());
2855
2856 // clean up the VM medium lock list ourselves
2857 MediumLockList::Base::iterator lockListBegin =
2858 aMediumLockList->GetBegin();
2859 MediumLockList::Base::iterator lockListEnd =
2860 aMediumLockList->GetEnd();
2861 MediumLockList::Base::iterator lockListLast = lockListEnd;
2862 lockListLast--;
2863 for (MediumLockList::Base::iterator it = lockListBegin;
2864 it != lockListEnd;
2865 ++it)
2866 {
2867 it->UpdateLock(it == lockListLast);
2868 ComObjPtr<Medium> pMedium = it->GetMedium();
2869 AutoWriteLock mediumLock(pMedium COMMA_LOCKVAL_SRC_POS);
2870 // blindly apply this, only needed for medium objects which
2871 // would be deleted as part of the merge
2872 pMedium->unmarkLockedForDeletion();
2873 }
2874 }
2875 else
2876 {
2877 aSource->cancelMergeTo(aChildrenToReparent, aMediumLockList);
2878 }
2879 }
2880
2881 if (!aMachineId.isEmpty())
2882 {
2883 // reattach the source media to the snapshot
2884 HRESULT rc = aSource->attachTo(aMachineId, aSnapshotId);
2885 AssertComRC(rc);
2886 }
2887}
Note: See TracBrowser for help on using the repository browser.

© 2023 Oracle
ContactPrivacy policyTerms of Use