VirtualBox

source: vbox/trunk/src/VBox/Main/src-server/MediumImpl.cpp@ 98846

最後變更 在這個檔案從98846是 98846,由 vboxsync 提交於 2 年 前

Main/Medium+VirtualBox: If Medium::close() and VirtualBox::i_registerMedium()
are running concurrently they can wrestle over the media tree lock and
end up registering a medium which is in the process of being closed. If
both of the respective threads are operating on the same medium then there
is a window of opportunity when Medium::i_close() drops the media tree
lock before calling Medium::uninit() that VirtualBox::i_registerMedium()
can grab the lock and register the medium. The fix is to check whether
the medium is in the process of being closed inside i_registerMedium()
and bail out if so to maintain media registry consistency. bugref:6447

  • 屬性 svn:eol-style 設為 native
  • 屬性 svn:keywords 設為 Author Date Id Revision
檔案大小: 396.9 KB
 
1/* $Id: MediumImpl.cpp 98846 2023-03-06 18:56:23Z vboxsync $ */
2/** @file
3 * VirtualBox COM class implementation
4 */
5
6/*
7 * Copyright (C) 2008-2023 Oracle and/or its affiliates.
8 *
9 * This file is part of VirtualBox base platform packages, as
10 * available from https://www.alldomusa.eu.org.
11 *
12 * This program is free software; you can redistribute it and/or
13 * modify it under the terms of the GNU General Public License
14 * as published by the Free Software Foundation, in version 3 of the
15 * License.
16 *
17 * This program is distributed in the hope that it will be useful, but
18 * WITHOUT ANY WARRANTY; without even the implied warranty of
19 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
20 * General Public License for more details.
21 *
22 * You should have received a copy of the GNU General Public License
23 * along with this program; if not, see <https://www.gnu.org/licenses>.
24 *
25 * SPDX-License-Identifier: GPL-3.0-only
26 */
27
28#define LOG_GROUP LOG_GROUP_MAIN_MEDIUM
29#include "MediumImpl.h"
30#include "MediumIOImpl.h"
31#include "TokenImpl.h"
32#include "ProgressImpl.h"
33#include "SystemPropertiesImpl.h"
34#include "VirtualBoxImpl.h"
35#include "ExtPackManagerImpl.h"
36
37#include "AutoCaller.h"
38#include "Global.h"
39#include "LoggingNew.h"
40#include "ThreadTask.h"
41#include "VBox/com/MultiResult.h"
42#include "VBox/com/ErrorInfo.h"
43
44#include <VBox/err.h>
45#include <VBox/settings.h>
46
47#include <iprt/param.h>
48#include <iprt/path.h>
49#include <iprt/file.h>
50#include <iprt/cpp/utils.h>
51#include <iprt/memsafer.h>
52#include <iprt/base64.h>
53#include <iprt/vfs.h>
54#include <iprt/fsvfs.h>
55
56#include <VBox/vd.h>
57
58#include <algorithm>
59#include <list>
60#include <set>
61#include <map>
62
63
64typedef std::list<Guid> GuidList;
65
66
67#ifdef VBOX_WITH_EXTPACK
68static const char g_szVDPlugin[] = "VDPluginCrypt";
69#endif
70
71
72////////////////////////////////////////////////////////////////////////////////
73//
74// Medium data definition
75//
76////////////////////////////////////////////////////////////////////////////////
77#if __cplusplus < 201700 && RT_GNUC_PREREQ(11,0) /* gcc/libstdc++ 12.1.1 errors out here because unary_function is deprecated */
78# pragma GCC diagnostic push
79# pragma GCC diagnostic ignored "-Wdeprecated-declarations"
80#endif
81
82struct SnapshotRef
83{
84 /** Equality predicate for stdc++. */
85 struct EqualsTo
86#if __cplusplus < 201700 /* deprecated in C++11, removed in C++17. */
87 : public std::unary_function <SnapshotRef, bool>
88#endif
89 {
90 explicit EqualsTo(const Guid &aSnapshotId) : snapshotId(aSnapshotId) {}
91
92#if __cplusplus < 201700 /* deprecated in C++11, removed in C++17. */
93 bool operator()(const argument_type &aThat) const
94#else
95 bool operator()(const SnapshotRef &aThat) const
96#endif
97 {
98 return aThat.snapshotId == snapshotId;
99 }
100
101 const Guid snapshotId;
102 };
103
104 SnapshotRef(const Guid &aSnapshotId,
105 const int &aRefCnt = 1)
106 : snapshotId(aSnapshotId),
107 iRefCnt(aRefCnt) {}
108
109 Guid snapshotId;
110 /*
111 * The number of attachments of the medium in the same snapshot.
112 * Used for MediumType_Readonly. It is always equal to 1 for other types.
113 * Usual int is used because any changes in the BackRef are guarded by
114 * AutoWriteLock.
115 */
116 int iRefCnt;
117};
118
119/** Describes how a machine refers to this medium. */
120struct BackRef
121{
122 /** Equality predicate for stdc++. */
123 struct EqualsTo
124#if __cplusplus < 201700 /* deprecated in C++11, removed in C++17. */
125 : public std::unary_function <BackRef, bool>
126#endif
127 {
128 explicit EqualsTo(const Guid &aMachineId) : machineId(aMachineId) {}
129
130#if __cplusplus < 201700 /* deprecated in C++11, removed in C++17. */
131 bool operator()(const argument_type &aThat) const
132#else
133 bool operator()(const BackRef &aThat) const
134#endif
135 {
136 return aThat.machineId == machineId;
137 }
138
139 const Guid machineId;
140 };
141
142 BackRef(const Guid &aMachineId,
143 const Guid &aSnapshotId = Guid::Empty)
144 : machineId(aMachineId),
145 iRefCnt(1),
146 fInCurState(aSnapshotId.isZero())
147 {
148 if (aSnapshotId.isValid() && !aSnapshotId.isZero())
149 llSnapshotIds.push_back(SnapshotRef(aSnapshotId));
150 }
151
152 Guid machineId;
153 /*
154 * The number of attachments of the medium in the same machine.
155 * Used for MediumType_Readonly. It is always equal to 1 for other types.
156 * Usual int is used because any changes in the BackRef are guarded by
157 * AutoWriteLock.
158 */
159 int iRefCnt;
160 bool fInCurState : 1;
161 std::list<SnapshotRef> llSnapshotIds;
162};
163
164typedef std::list<BackRef> BackRefList;
165
166#if __cplusplus < 201700 && RT_GNUC_PREREQ(11,0)
167# pragma GCC diagnostic pop
168#endif
169
170
171struct Medium::Data
172{
173 Data()
174 : pVirtualBox(NULL),
175 state(MediumState_NotCreated),
176 variant(MediumVariant_Standard),
177 size(0),
178 readers(0),
179 preLockState(MediumState_NotCreated),
180 queryInfoSem(LOCKCLASS_MEDIUMQUERY),
181 queryInfoRunning(false),
182 type(MediumType_Normal),
183 devType(DeviceType_HardDisk),
184 logicalSize(0),
185 hddOpenMode(OpenReadWrite),
186 autoReset(false),
187 hostDrive(false),
188 implicit(false),
189 fClosing(false),
190 uOpenFlagsDef(VD_OPEN_FLAGS_IGNORE_FLUSH),
191 numCreateDiffTasks(0),
192 vdDiskIfaces(NULL),
193 vdImageIfaces(NULL),
194 fMoveThisMedium(false)
195 { }
196
197 /** weak VirtualBox parent */
198 VirtualBox * const pVirtualBox;
199
200 // pParent and llChildren are protected by VirtualBox::i_getMediaTreeLockHandle()
201 ComObjPtr<Medium> pParent;
202 MediaList llChildren; // to add a child, just call push_back; to remove
203 // a child, call child->deparent() which does a lookup
204
205 GuidList llRegistryIDs; // media registries in which this medium is listed
206
207 const Guid id;
208 Utf8Str strDescription;
209 MediumState_T state;
210 MediumVariant_T variant;
211 Utf8Str strLocationFull;
212 uint64_t size;
213 Utf8Str strLastAccessError;
214
215 BackRefList backRefs;
216
217 size_t readers;
218 MediumState_T preLockState;
219
220 /** Special synchronization for operations which must wait for
221 * Medium::i_queryInfo in another thread to complete. Using a SemRW is
222 * not quite ideal, but at least it is subject to the lock validator,
223 * unlike the SemEventMulti which we had here for many years. Catching
224 * possible deadlocks is more important than a tiny bit of efficiency. */
225 RWLockHandle queryInfoSem;
226 bool queryInfoRunning : 1;
227
228 const Utf8Str strFormat;
229 ComObjPtr<MediumFormat> formatObj;
230
231 MediumType_T type;
232 DeviceType_T devType;
233 uint64_t logicalSize;
234
235 HDDOpenMode hddOpenMode;
236
237 bool autoReset : 1;
238
239 /** New UUID to be set on the next Medium::i_queryInfo call. */
240 const Guid uuidImage;
241 /** New parent UUID to be set on the next Medium::i_queryInfo call. */
242 const Guid uuidParentImage;
243
244/** @todo r=bird: the boolean bitfields are pointless if they're not grouped! */
245 bool hostDrive : 1;
246
247 settings::StringsMap mapProperties;
248
249 bool implicit : 1;
250 /** Flag whether the medium is in the process of being closed. */
251 bool fClosing: 1;
252
253 /** Default flags passed to VDOpen(). */
254 unsigned uOpenFlagsDef;
255
256 uint32_t numCreateDiffTasks;
257
258 Utf8Str vdError; /*< Error remembered by the VD error callback. */
259
260 VDINTERFACEERROR vdIfError;
261
262 VDINTERFACECONFIG vdIfConfig;
263
264 /** The handle to the default VD TCP/IP interface. */
265 VDIFINST hTcpNetInst;
266
267 PVDINTERFACE vdDiskIfaces;
268 PVDINTERFACE vdImageIfaces;
269
270 /** Flag if the medium is going to move to a new
271 * location. */
272 bool fMoveThisMedium;
273 /** new location path */
274 Utf8Str strNewLocationFull;
275};
276
277typedef struct VDSOCKETINT
278{
279 /** Socket handle. */
280 RTSOCKET hSocket;
281} VDSOCKETINT, *PVDSOCKETINT;
282
283////////////////////////////////////////////////////////////////////////////////
284//
285// Globals
286//
287////////////////////////////////////////////////////////////////////////////////
288
289/**
290 * Medium::Task class for asynchronous operations.
291 *
292 * @note Instances of this class must be created using new() because the
293 * task thread function will delete them when the task is complete.
294 *
295 * @note The constructor of this class adds a caller on the managed Medium
296 * object which is automatically released upon destruction.
297 */
298class Medium::Task : public ThreadTask
299{
300public:
301 Task(Medium *aMedium, Progress *aProgress, bool fNotifyAboutChanges = true)
302 : ThreadTask("Medium::Task"),
303 mVDOperationIfaces(NULL),
304 mMedium(aMedium),
305 mMediumCaller(aMedium),
306 mProgress(aProgress),
307 mVirtualBoxCaller(NULL),
308 mNotifyAboutChanges(fNotifyAboutChanges)
309 {
310 AssertReturnVoidStmt(aMedium, mHrc = E_FAIL);
311 mHrc = mMediumCaller.hrc();
312 if (FAILED(mHrc))
313 return;
314
315 /* Get strong VirtualBox reference, see below. */
316 VirtualBox *pVirtualBox = aMedium->m->pVirtualBox;
317 mVirtualBox = pVirtualBox;
318 mVirtualBoxCaller.attach(pVirtualBox);
319 mHrc = mVirtualBoxCaller.hrc();
320 if (FAILED(mHrc))
321 return;
322
323 /* Set up a per-operation progress interface, can be used freely (for
324 * binary operations you can use it either on the source or target). */
325 if (mProgress)
326 {
327 mVDIfProgress.pfnProgress = aProgress->i_vdProgressCallback;
328 int vrc = VDInterfaceAdd(&mVDIfProgress.Core,
329 "Medium::Task::vdInterfaceProgress",
330 VDINTERFACETYPE_PROGRESS,
331 mProgress,
332 sizeof(mVDIfProgress),
333 &mVDOperationIfaces);
334 AssertRC(vrc);
335 if (RT_FAILURE(vrc))
336 mHrc = E_FAIL;
337 }
338 }
339
340 // Make all destructors virtual. Just in case.
341 virtual ~Task()
342 {
343 /* send the notification of completion.*/
344 if ( isAsync()
345 && !mProgress.isNull())
346 mProgress->i_notifyComplete(mHrc);
347 }
348
349 HRESULT hrc() const { return mHrc; }
350 bool isOk() const { return SUCCEEDED(hrc()); }
351 bool NotifyAboutChanges() const { return mNotifyAboutChanges; }
352
353 const ComPtr<Progress>& GetProgressObject() const {return mProgress;}
354
355 /**
356 * Runs Medium::Task::executeTask() on the current thread
357 * instead of creating a new one.
358 */
359 HRESULT runNow()
360 {
361 LogFlowFuncEnter();
362
363 mHrc = executeTask();
364
365 LogFlowFunc(("hrc=%Rhrc\n", mHrc));
366 LogFlowFuncLeave();
367 return mHrc;
368 }
369
370 /**
371 * Implementation code for the "create base" task.
372 * Used as function for execution from a standalone thread.
373 */
374 void handler()
375 {
376 LogFlowFuncEnter();
377 try
378 {
379 mHrc = executeTask(); /* (destructor picks up mHrc, see above) */
380 LogFlowFunc(("hrc=%Rhrc\n", mHrc));
381 }
382 catch (...)
383 {
384 LogRel(("Some exception in the function Medium::Task:handler()\n"));
385 }
386
387 LogFlowFuncLeave();
388 }
389
390 PVDINTERFACE mVDOperationIfaces;
391
392 const ComObjPtr<Medium> mMedium;
393 AutoCaller mMediumCaller;
394
395protected:
396 HRESULT mHrc;
397
398private:
399 virtual HRESULT executeTask() = 0;
400
401 const ComObjPtr<Progress> mProgress;
402
403 VDINTERFACEPROGRESS mVDIfProgress;
404
405 /* Must have a strong VirtualBox reference during a task otherwise the
406 * reference count might drop to 0 while a task is still running. This
407 * would result in weird behavior, including deadlocks due to uninit and
408 * locking order issues. The deadlock often is not detectable because the
409 * uninit uses event semaphores which sabotages deadlock detection. */
410 ComObjPtr<VirtualBox> mVirtualBox;
411 AutoCaller mVirtualBoxCaller;
412 bool mNotifyAboutChanges;
413};
414
415class Medium::CreateBaseTask : public Medium::Task
416{
417public:
418 CreateBaseTask(Medium *aMedium,
419 Progress *aProgress,
420 uint64_t aSize,
421 MediumVariant_T aVariant,
422 bool fNotifyAboutChanges = true)
423 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
424 mSize(aSize),
425 mVariant(aVariant)
426 {
427 m_strTaskName = "createBase";
428 }
429
430 uint64_t mSize;
431 MediumVariant_T mVariant;
432
433private:
434 HRESULT executeTask()
435 {
436 return mMedium->i_taskCreateBaseHandler(*this);
437 }
438};
439
440class Medium::CreateDiffTask : public Medium::Task
441{
442public:
443 CreateDiffTask(Medium *aMedium,
444 Progress *aProgress,
445 Medium *aTarget,
446 MediumVariant_T aVariant,
447 MediumLockList *aMediumLockList,
448 bool fKeepMediumLockList = false,
449 bool fNotifyAboutChanges = true)
450 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
451 mpMediumLockList(aMediumLockList),
452 mTarget(aTarget),
453 mVariant(aVariant),
454 mTargetCaller(aTarget),
455 mfKeepMediumLockList(fKeepMediumLockList)
456 {
457 AssertReturnVoidStmt(aTarget != NULL, mHrc = E_FAIL);
458 mHrc = mTargetCaller.hrc();
459 if (FAILED(mHrc))
460 return;
461 m_strTaskName = "createDiff";
462 }
463
464 ~CreateDiffTask()
465 {
466 if (!mfKeepMediumLockList && mpMediumLockList)
467 delete mpMediumLockList;
468 }
469
470 MediumLockList *mpMediumLockList;
471
472 const ComObjPtr<Medium> mTarget;
473 MediumVariant_T mVariant;
474
475private:
476 HRESULT executeTask()
477 {
478 return mMedium->i_taskCreateDiffHandler(*this);
479 }
480
481 AutoCaller mTargetCaller;
482 bool mfKeepMediumLockList;
483};
484
485class Medium::CloneTask : public Medium::Task
486{
487public:
488 CloneTask(Medium *aMedium,
489 Progress *aProgress,
490 Medium *aTarget,
491 MediumVariant_T aVariant,
492 Medium *aParent,
493 uint32_t idxSrcImageSame,
494 uint32_t idxDstImageSame,
495 MediumLockList *aSourceMediumLockList,
496 MediumLockList *aTargetMediumLockList,
497 bool fKeepSourceMediumLockList = false,
498 bool fKeepTargetMediumLockList = false,
499 bool fNotifyAboutChanges = true,
500 uint64_t aTargetLogicalSize = 0)
501 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
502 mTarget(aTarget),
503 mParent(aParent),
504 mTargetLogicalSize(aTargetLogicalSize),
505 mpSourceMediumLockList(aSourceMediumLockList),
506 mpTargetMediumLockList(aTargetMediumLockList),
507 mVariant(aVariant),
508 midxSrcImageSame(idxSrcImageSame),
509 midxDstImageSame(idxDstImageSame),
510 mTargetCaller(aTarget),
511 mParentCaller(aParent),
512 mfKeepSourceMediumLockList(fKeepSourceMediumLockList),
513 mfKeepTargetMediumLockList(fKeepTargetMediumLockList)
514 {
515 AssertReturnVoidStmt(aTarget != NULL, mHrc = E_FAIL);
516 mHrc = mTargetCaller.hrc();
517 if (FAILED(mHrc))
518 return;
519 /* aParent may be NULL */
520 mHrc = mParentCaller.hrc();
521 if (FAILED(mHrc))
522 return;
523 AssertReturnVoidStmt(aSourceMediumLockList != NULL, mHrc = E_FAIL);
524 AssertReturnVoidStmt(aTargetMediumLockList != NULL, mHrc = E_FAIL);
525 m_strTaskName = "createClone";
526 }
527
528 ~CloneTask()
529 {
530 if (!mfKeepSourceMediumLockList && mpSourceMediumLockList)
531 delete mpSourceMediumLockList;
532 if (!mfKeepTargetMediumLockList && mpTargetMediumLockList)
533 delete mpTargetMediumLockList;
534 }
535
536 const ComObjPtr<Medium> mTarget;
537 const ComObjPtr<Medium> mParent;
538 uint64_t mTargetLogicalSize;
539 MediumLockList *mpSourceMediumLockList;
540 MediumLockList *mpTargetMediumLockList;
541 MediumVariant_T mVariant;
542 uint32_t midxSrcImageSame;
543 uint32_t midxDstImageSame;
544
545private:
546 HRESULT executeTask()
547 {
548 return mMedium->i_taskCloneHandler(*this);
549 }
550
551 AutoCaller mTargetCaller;
552 AutoCaller mParentCaller;
553 bool mfKeepSourceMediumLockList;
554 bool mfKeepTargetMediumLockList;
555};
556
557class Medium::MoveTask : public Medium::Task
558{
559public:
560 MoveTask(Medium *aMedium,
561 Progress *aProgress,
562 MediumVariant_T aVariant,
563 MediumLockList *aMediumLockList,
564 bool fKeepMediumLockList = false,
565 bool fNotifyAboutChanges = true)
566 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
567 mpMediumLockList(aMediumLockList),
568 mVariant(aVariant),
569 mfKeepMediumLockList(fKeepMediumLockList)
570 {
571 AssertReturnVoidStmt(aMediumLockList != NULL, mHrc = E_FAIL);
572 m_strTaskName = "createMove";
573 }
574
575 ~MoveTask()
576 {
577 if (!mfKeepMediumLockList && mpMediumLockList)
578 delete mpMediumLockList;
579 }
580
581 MediumLockList *mpMediumLockList;
582 MediumVariant_T mVariant;
583
584private:
585 HRESULT executeTask()
586 {
587 return mMedium->i_taskMoveHandler(*this);
588 }
589
590 bool mfKeepMediumLockList;
591};
592
593class Medium::CompactTask : public Medium::Task
594{
595public:
596 CompactTask(Medium *aMedium,
597 Progress *aProgress,
598 MediumLockList *aMediumLockList,
599 bool fKeepMediumLockList = false,
600 bool fNotifyAboutChanges = true)
601 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
602 mpMediumLockList(aMediumLockList),
603 mfKeepMediumLockList(fKeepMediumLockList)
604 {
605 AssertReturnVoidStmt(aMediumLockList != NULL, mHrc = E_FAIL);
606 m_strTaskName = "createCompact";
607 }
608
609 ~CompactTask()
610 {
611 if (!mfKeepMediumLockList && mpMediumLockList)
612 delete mpMediumLockList;
613 }
614
615 MediumLockList *mpMediumLockList;
616
617private:
618 HRESULT executeTask()
619 {
620 return mMedium->i_taskCompactHandler(*this);
621 }
622
623 bool mfKeepMediumLockList;
624};
625
626class Medium::ResizeTask : public Medium::Task
627{
628public:
629 ResizeTask(Medium *aMedium,
630 uint64_t aSize,
631 Progress *aProgress,
632 MediumLockList *aMediumLockList,
633 bool fKeepMediumLockList = false,
634 bool fNotifyAboutChanges = true)
635 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
636 mSize(aSize),
637 mpMediumLockList(aMediumLockList),
638 mfKeepMediumLockList(fKeepMediumLockList)
639 {
640 AssertReturnVoidStmt(aMediumLockList != NULL, mHrc = E_FAIL);
641 m_strTaskName = "createResize";
642 }
643
644 ~ResizeTask()
645 {
646 if (!mfKeepMediumLockList && mpMediumLockList)
647 delete mpMediumLockList;
648 }
649
650 uint64_t mSize;
651 MediumLockList *mpMediumLockList;
652
653private:
654 HRESULT executeTask()
655 {
656 return mMedium->i_taskResizeHandler(*this);
657 }
658
659 bool mfKeepMediumLockList;
660};
661
662class Medium::ResetTask : public Medium::Task
663{
664public:
665 ResetTask(Medium *aMedium,
666 Progress *aProgress,
667 MediumLockList *aMediumLockList,
668 bool fKeepMediumLockList = false,
669 bool fNotifyAboutChanges = true)
670 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
671 mpMediumLockList(aMediumLockList),
672 mfKeepMediumLockList(fKeepMediumLockList)
673 {
674 m_strTaskName = "createReset";
675 }
676
677 ~ResetTask()
678 {
679 if (!mfKeepMediumLockList && mpMediumLockList)
680 delete mpMediumLockList;
681 }
682
683 MediumLockList *mpMediumLockList;
684
685private:
686 HRESULT executeTask()
687 {
688 return mMedium->i_taskResetHandler(*this);
689 }
690
691 bool mfKeepMediumLockList;
692};
693
694class Medium::DeleteTask : public Medium::Task
695{
696public:
697 DeleteTask(Medium *aMedium,
698 Progress *aProgress,
699 MediumLockList *aMediumLockList,
700 bool fKeepMediumLockList = false,
701 bool fNotifyAboutChanges = true)
702 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
703 mpMediumLockList(aMediumLockList),
704 mfKeepMediumLockList(fKeepMediumLockList)
705 {
706 m_strTaskName = "createDelete";
707 }
708
709 ~DeleteTask()
710 {
711 if (!mfKeepMediumLockList && mpMediumLockList)
712 delete mpMediumLockList;
713 }
714
715 MediumLockList *mpMediumLockList;
716
717private:
718 HRESULT executeTask()
719 {
720 return mMedium->i_taskDeleteHandler(*this);
721 }
722
723 bool mfKeepMediumLockList;
724};
725
726class Medium::MergeTask : public Medium::Task
727{
728public:
729 MergeTask(Medium *aMedium,
730 Medium *aTarget,
731 bool fMergeForward,
732 Medium *aParentForTarget,
733 MediumLockList *aChildrenToReparent,
734 Progress *aProgress,
735 MediumLockList *aMediumLockList,
736 bool fKeepMediumLockList = false,
737 bool fNotifyAboutChanges = true)
738 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
739 mTarget(aTarget),
740 mfMergeForward(fMergeForward),
741 mParentForTarget(aParentForTarget),
742 mpChildrenToReparent(aChildrenToReparent),
743 mpMediumLockList(aMediumLockList),
744 mTargetCaller(aTarget),
745 mParentForTargetCaller(aParentForTarget),
746 mfKeepMediumLockList(fKeepMediumLockList)
747 {
748 AssertReturnVoidStmt(aMediumLockList != NULL, mHrc = E_FAIL);
749 m_strTaskName = "createMerge";
750 }
751
752 ~MergeTask()
753 {
754 if (!mfKeepMediumLockList && mpMediumLockList)
755 delete mpMediumLockList;
756 if (mpChildrenToReparent)
757 delete mpChildrenToReparent;
758 }
759
760 const ComObjPtr<Medium> mTarget;
761 bool mfMergeForward;
762 /* When mpChildrenToReparent is null then mParentForTarget is non-null and
763 * vice versa. In other words: they are used in different cases. */
764 const ComObjPtr<Medium> mParentForTarget;
765 MediumLockList *mpChildrenToReparent;
766 MediumLockList *mpMediumLockList;
767
768private:
769 HRESULT executeTask()
770 {
771 return mMedium->i_taskMergeHandler(*this);
772 }
773
774 AutoCaller mTargetCaller;
775 AutoCaller mParentForTargetCaller;
776 bool mfKeepMediumLockList;
777};
778
779class Medium::ImportTask : public Medium::Task
780{
781public:
782 ImportTask(Medium *aMedium,
783 Progress *aProgress,
784 const char *aFilename,
785 MediumFormat *aFormat,
786 MediumVariant_T aVariant,
787 RTVFSIOSTREAM aVfsIosSrc,
788 Medium *aParent,
789 MediumLockList *aTargetMediumLockList,
790 bool fKeepTargetMediumLockList = false,
791 bool fNotifyAboutChanges = true)
792 : Medium::Task(aMedium, aProgress, fNotifyAboutChanges),
793 mFilename(aFilename),
794 mFormat(aFormat),
795 mVariant(aVariant),
796 mParent(aParent),
797 mpTargetMediumLockList(aTargetMediumLockList),
798 mpVfsIoIf(NULL),
799 mParentCaller(aParent),
800 mfKeepTargetMediumLockList(fKeepTargetMediumLockList)
801 {
802 AssertReturnVoidStmt(aTargetMediumLockList != NULL, mHrc = E_FAIL);
803 /* aParent may be NULL */
804 mHrc = mParentCaller.hrc();
805 if (FAILED(mHrc))
806 return;
807
808 mVDImageIfaces = aMedium->m->vdImageIfaces;
809
810 int vrc = VDIfCreateFromVfsStream(aVfsIosSrc, RTFILE_O_READ, &mpVfsIoIf);
811 AssertRCReturnVoidStmt(vrc, mHrc = E_FAIL);
812
813 vrc = VDInterfaceAdd(&mpVfsIoIf->Core, "Medium::ImportTaskVfsIos",
814 VDINTERFACETYPE_IO, mpVfsIoIf,
815 sizeof(VDINTERFACEIO), &mVDImageIfaces);
816 AssertRCReturnVoidStmt(vrc, mHrc = E_FAIL);
817 m_strTaskName = "createImport";
818 }
819
820 ~ImportTask()
821 {
822 if (!mfKeepTargetMediumLockList && mpTargetMediumLockList)
823 delete mpTargetMediumLockList;
824 if (mpVfsIoIf)
825 {
826 VDIfDestroyFromVfsStream(mpVfsIoIf);
827 mpVfsIoIf = NULL;
828 }
829 }
830
831 Utf8Str mFilename;
832 ComObjPtr<MediumFormat> mFormat;
833 MediumVariant_T mVariant;
834 const ComObjPtr<Medium> mParent;
835 MediumLockList *mpTargetMediumLockList;
836 PVDINTERFACE mVDImageIfaces;
837 PVDINTERFACEIO mpVfsIoIf; /**< Pointer to the VFS I/O stream to VD I/O interface wrapper. */
838
839private:
840 HRESULT executeTask()
841 {
842 return mMedium->i_taskImportHandler(*this);
843 }
844
845 AutoCaller mParentCaller;
846 bool mfKeepTargetMediumLockList;
847};
848
849class Medium::EncryptTask : public Medium::Task
850{
851public:
852 EncryptTask(Medium *aMedium,
853 const com::Utf8Str &strNewPassword,
854 const com::Utf8Str &strCurrentPassword,
855 const com::Utf8Str &strCipher,
856 const com::Utf8Str &strNewPasswordId,
857 Progress *aProgress,
858 MediumLockList *aMediumLockList)
859 : Medium::Task(aMedium, aProgress, false),
860 mstrNewPassword(strNewPassword),
861 mstrCurrentPassword(strCurrentPassword),
862 mstrCipher(strCipher),
863 mstrNewPasswordId(strNewPasswordId),
864 mpMediumLockList(aMediumLockList)
865 {
866 AssertReturnVoidStmt(aMediumLockList != NULL, mHrc = E_FAIL);
867 /* aParent may be NULL */
868 mHrc = mParentCaller.hrc();
869 if (FAILED(mHrc))
870 return;
871
872 mVDImageIfaces = aMedium->m->vdImageIfaces;
873 m_strTaskName = "createEncrypt";
874 }
875
876 ~EncryptTask()
877 {
878 if (mstrNewPassword.length())
879 RTMemWipeThoroughly(mstrNewPassword.mutableRaw(), mstrNewPassword.length(), 10 /* cPasses */);
880 if (mstrCurrentPassword.length())
881 RTMemWipeThoroughly(mstrCurrentPassword.mutableRaw(), mstrCurrentPassword.length(), 10 /* cPasses */);
882
883 /* Keep any errors which might be set when deleting the lock list. */
884 ErrorInfoKeeper eik;
885 delete mpMediumLockList;
886 }
887
888 Utf8Str mstrNewPassword;
889 Utf8Str mstrCurrentPassword;
890 Utf8Str mstrCipher;
891 Utf8Str mstrNewPasswordId;
892 MediumLockList *mpMediumLockList;
893 PVDINTERFACE mVDImageIfaces;
894
895private:
896 HRESULT executeTask()
897 {
898 return mMedium->i_taskEncryptHandler(*this);
899 }
900
901 AutoCaller mParentCaller;
902};
903
904
905
906/**
907 * Converts the Medium device type to the VD type.
908 */
909static const char *getVDTypeName(VDTYPE enmType)
910{
911 switch (enmType)
912 {
913 case VDTYPE_HDD: return "HDD";
914 case VDTYPE_OPTICAL_DISC: return "DVD";
915 case VDTYPE_FLOPPY: return "floppy";
916 case VDTYPE_INVALID: return "invalid";
917 default:
918 AssertFailedReturn("unknown");
919 }
920}
921
922/**
923 * Converts the Medium device type to the VD type.
924 */
925static const char *getDeviceTypeName(DeviceType_T enmType)
926{
927 switch (enmType)
928 {
929 case DeviceType_HardDisk: return "HDD";
930 case DeviceType_DVD: return "DVD";
931 case DeviceType_Floppy: return "floppy";
932 case DeviceType_Null: return "null";
933 case DeviceType_Network: return "network";
934 case DeviceType_USB: return "USB";
935 case DeviceType_SharedFolder: return "shared folder";
936 case DeviceType_Graphics3D: return "graphics 3d";
937 default:
938 AssertFailedReturn("unknown");
939 }
940}
941
942
943
944////////////////////////////////////////////////////////////////////////////////
945//
946// Medium constructor / destructor
947//
948////////////////////////////////////////////////////////////////////////////////
949
950DEFINE_EMPTY_CTOR_DTOR(Medium)
951
952HRESULT Medium::FinalConstruct()
953{
954 m = new Data;
955
956 /* Initialize the callbacks of the VD error interface */
957 m->vdIfError.pfnError = i_vdErrorCall;
958 m->vdIfError.pfnMessage = NULL;
959
960 /* Initialize the callbacks of the VD config interface */
961 m->vdIfConfig.pfnAreKeysValid = i_vdConfigAreKeysValid;
962 m->vdIfConfig.pfnQuerySize = i_vdConfigQuerySize;
963 m->vdIfConfig.pfnQuery = i_vdConfigQuery;
964 m->vdIfConfig.pfnUpdate = i_vdConfigUpdate;
965 m->vdIfConfig.pfnQueryBytes = NULL;
966
967 /* Initialize the per-disk interface chain (could be done more globally,
968 * but it's not wasting much time or space so it's not worth it). */
969 int vrc;
970 vrc = VDInterfaceAdd(&m->vdIfError.Core,
971 "Medium::vdInterfaceError",
972 VDINTERFACETYPE_ERROR, this,
973 sizeof(VDINTERFACEERROR), &m->vdDiskIfaces);
974 AssertRCReturn(vrc, E_FAIL);
975
976 /* Initialize the per-image interface chain */
977 vrc = VDInterfaceAdd(&m->vdIfConfig.Core,
978 "Medium::vdInterfaceConfig",
979 VDINTERFACETYPE_CONFIG, this,
980 sizeof(VDINTERFACECONFIG), &m->vdImageIfaces);
981 AssertRCReturn(vrc, E_FAIL);
982
983 /* Initialize the callbacks of the VD TCP interface (we always use the host
984 * IP stack for now) */
985 vrc = VDIfTcpNetInstDefaultCreate(&m->hTcpNetInst, &m->vdImageIfaces);
986 AssertRCReturn(vrc, E_FAIL);
987
988 return BaseFinalConstruct();
989}
990
991void Medium::FinalRelease()
992{
993 uninit();
994
995 VDIfTcpNetInstDefaultDestroy(m->hTcpNetInst);
996 delete m;
997
998 BaseFinalRelease();
999}
1000
1001/**
1002 * Initializes an empty hard disk object without creating or opening an associated
1003 * storage unit.
1004 *
1005 * This gets called by VirtualBox::CreateMedium() in which case uuidMachineRegistry
1006 * is empty since starting with VirtualBox 4.0, we no longer add opened media to a
1007 * registry automatically (this is deferred until the medium is attached to a machine).
1008 *
1009 * This also gets called when VirtualBox creates diff images; in this case uuidMachineRegistry
1010 * is set to the registry of the parent image to make sure they all end up in the same
1011 * file.
1012 *
1013 * For hard disks that don't have the MediumFormatCapabilities_CreateFixed or
1014 * MediumFormatCapabilities_CreateDynamic capability (and therefore cannot be created or deleted
1015 * with the means of VirtualBox) the associated storage unit is assumed to be
1016 * ready for use so the state of the hard disk object will be set to Created.
1017 *
1018 * @param aVirtualBox VirtualBox object.
1019 * @param aFormat
1020 * @param aLocation Storage unit location.
1021 * @param uuidMachineRegistry The registry to which this medium should be added
1022 * (global registry UUID or machine UUID or empty if none).
1023 * @param aDeviceType Device Type.
1024 */
1025HRESULT Medium::init(VirtualBox *aVirtualBox,
1026 const Utf8Str &aFormat,
1027 const Utf8Str &aLocation,
1028 const Guid &uuidMachineRegistry,
1029 const DeviceType_T aDeviceType)
1030{
1031 AssertReturn(aVirtualBox != NULL, E_FAIL);
1032 AssertReturn(!aFormat.isEmpty(), E_FAIL);
1033
1034 /* Enclose the state transition NotReady->InInit->Ready */
1035 AutoInitSpan autoInitSpan(this);
1036 AssertReturn(autoInitSpan.isOk(), E_FAIL);
1037
1038 HRESULT hrc = S_OK;
1039
1040 unconst(m->pVirtualBox) = aVirtualBox;
1041
1042 if (uuidMachineRegistry.isValid() && !uuidMachineRegistry.isZero())
1043 m->llRegistryIDs.push_back(uuidMachineRegistry);
1044
1045 /* no storage yet */
1046 m->state = MediumState_NotCreated;
1047
1048 /* cannot be a host drive */
1049 m->hostDrive = false;
1050
1051 m->devType = aDeviceType;
1052
1053 /* No storage unit is created yet, no need to call Medium::i_queryInfo */
1054
1055 hrc = i_setFormat(aFormat);
1056 if (FAILED(hrc)) return hrc;
1057
1058 hrc = i_setLocation(aLocation);
1059 if (FAILED(hrc)) return hrc;
1060
1061 if (!(m->formatObj->i_getCapabilities() & ( MediumFormatCapabilities_CreateFixed
1062 | MediumFormatCapabilities_CreateDynamic
1063 | MediumFormatCapabilities_File))
1064 )
1065 {
1066 /* Storage for media of this format can neither be explicitly
1067 * created by VirtualBox nor deleted, so we place the medium to
1068 * Inaccessible state here and also add it to the registry. The
1069 * state means that one has to use RefreshState() to update the
1070 * medium format specific fields. */
1071 m->state = MediumState_Inaccessible;
1072 // create new UUID
1073 unconst(m->id).create();
1074
1075 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
1076 ComObjPtr<Medium> pMedium;
1077
1078 /*
1079 * Check whether the UUID is taken already and create a new one
1080 * if required.
1081 * Try this only a limited amount of times in case the PRNG is broken
1082 * in some way to prevent an endless loop.
1083 */
1084 for (unsigned i = 0; i < 5; i++)
1085 {
1086 bool fInUse;
1087
1088 fInUse = m->pVirtualBox->i_isMediaUuidInUse(m->id, aDeviceType);
1089 if (fInUse)
1090 {
1091 // create new UUID
1092 unconst(m->id).create();
1093 }
1094 else
1095 break;
1096 }
1097
1098 hrc = m->pVirtualBox->i_registerMedium(this, &pMedium, treeLock);
1099 Assert(this == pMedium || FAILED(hrc));
1100 }
1101
1102 /* Confirm a successful initialization when it's the case */
1103 if (SUCCEEDED(hrc))
1104 autoInitSpan.setSucceeded();
1105
1106 return hrc;
1107}
1108
1109/**
1110 * Initializes the medium object by opening the storage unit at the specified
1111 * location. The enOpenMode parameter defines whether the medium will be opened
1112 * read/write or read-only.
1113 *
1114 * This gets called by VirtualBox::OpenMedium() and also by
1115 * Machine::AttachDevice() and createImplicitDiffs() when new diff
1116 * images are created.
1117 *
1118 * There is no registry for this case since starting with VirtualBox 4.0, we
1119 * no longer add opened media to a registry automatically (this is deferred
1120 * until the medium is attached to a machine).
1121 *
1122 * For hard disks, the UUID, format and the parent of this medium will be
1123 * determined when reading the medium storage unit. For DVD and floppy images,
1124 * which have no UUIDs in their storage units, new UUIDs are created.
1125 * If the detected or set parent is not known to VirtualBox, then this method
1126 * will fail.
1127 *
1128 * @param aVirtualBox VirtualBox object.
1129 * @param aLocation Storage unit location.
1130 * @param enOpenMode Whether to open the medium read/write or read-only.
1131 * @param fForceNewUuid Whether a new UUID should be set to avoid duplicates.
1132 * @param aDeviceType Device type of medium.
1133 */
1134HRESULT Medium::init(VirtualBox *aVirtualBox,
1135 const Utf8Str &aLocation,
1136 HDDOpenMode enOpenMode,
1137 bool fForceNewUuid,
1138 DeviceType_T aDeviceType)
1139{
1140 AssertReturn(aVirtualBox, E_INVALIDARG);
1141 AssertReturn(!aLocation.isEmpty(), E_INVALIDARG);
1142
1143 HRESULT hrc = S_OK;
1144
1145 {
1146 /* Enclose the state transition NotReady->InInit->Ready */
1147 AutoInitSpan autoInitSpan(this);
1148 AssertReturn(autoInitSpan.isOk(), E_FAIL);
1149
1150 unconst(m->pVirtualBox) = aVirtualBox;
1151
1152 /* there must be a storage unit */
1153 m->state = MediumState_Created;
1154
1155 /* remember device type for correct unregistering later */
1156 m->devType = aDeviceType;
1157
1158 /* cannot be a host drive */
1159 m->hostDrive = false;
1160
1161 /* remember the open mode (defaults to ReadWrite) */
1162 m->hddOpenMode = enOpenMode;
1163
1164 if (aDeviceType == DeviceType_DVD)
1165 m->type = MediumType_Readonly;
1166 else if (aDeviceType == DeviceType_Floppy)
1167 m->type = MediumType_Writethrough;
1168
1169 hrc = i_setLocation(aLocation);
1170 if (FAILED(hrc)) return hrc;
1171
1172 /* get all the information about the medium from the storage unit */
1173 if (fForceNewUuid)
1174 unconst(m->uuidImage).create();
1175
1176 m->state = MediumState_Inaccessible;
1177 m->strLastAccessError = tr("Accessibility check was not yet performed");
1178
1179 /* Confirm a successful initialization before the call to i_queryInfo.
1180 * Otherwise we can end up with a AutoCaller deadlock because the
1181 * medium becomes visible but is not marked as initialized. Causes
1182 * locking trouble (e.g. trying to save media registries) which is
1183 * hard to solve. */
1184 autoInitSpan.setSucceeded();
1185 }
1186
1187 /* we're normal code from now on, no longer init */
1188 AutoCaller autoCaller(this);
1189 if (FAILED(autoCaller.hrc()))
1190 return autoCaller.hrc();
1191
1192 /* need to call i_queryInfo immediately to correctly place the medium in
1193 * the respective media tree and update other information such as uuid */
1194 hrc = i_queryInfo(fForceNewUuid /* fSetImageId */, false /* fSetParentId */, autoCaller);
1195 if (SUCCEEDED(hrc))
1196 {
1197 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1198
1199 /* if the storage unit is not accessible, it's not acceptable for the
1200 * newly opened media so convert this into an error */
1201 if (m->state == MediumState_Inaccessible)
1202 {
1203 Assert(!m->strLastAccessError.isEmpty());
1204 hrc = setError(E_FAIL, "%s", m->strLastAccessError.c_str());
1205 alock.release();
1206 autoCaller.release();
1207 uninit();
1208 }
1209 else
1210 {
1211 AssertStmt(!m->id.isZero(),
1212 alock.release(); autoCaller.release(); uninit(); return E_FAIL);
1213
1214 /* storage format must be detected by Medium::i_queryInfo if the
1215 * medium is accessible */
1216 AssertStmt(!m->strFormat.isEmpty(),
1217 alock.release(); autoCaller.release(); uninit(); return E_FAIL);
1218 }
1219 }
1220 else
1221 {
1222 /* opening this image failed, mark the object as dead */
1223 autoCaller.release();
1224 uninit();
1225 }
1226
1227 return hrc;
1228}
1229
1230/**
1231 * Initializes the medium object by loading its data from the given settings
1232 * node. The medium will always be opened read/write.
1233 *
1234 * In this case, since we're loading from a registry, uuidMachineRegistry is
1235 * always set: it's either the global registry UUID or a machine UUID when
1236 * loading from a per-machine registry.
1237 *
1238 * @param aParent Parent medium disk or NULL for a root (base) medium.
1239 * @param aDeviceType Device type of the medium.
1240 * @param uuidMachineRegistry The registry to which this medium should be
1241 * added (global registry UUID or machine UUID).
1242 * @param data Configuration settings.
1243 * @param strMachineFolder The machine folder with which to resolve relative paths;
1244 * if empty, then we use the VirtualBox home directory
1245 *
1246 * @note Locks the medium tree for writing.
1247 */
1248HRESULT Medium::initOne(Medium *aParent,
1249 DeviceType_T aDeviceType,
1250 const Guid &uuidMachineRegistry,
1251 const Utf8Str &strMachineFolder,
1252 const settings::Medium &data)
1253{
1254 HRESULT hrc;
1255
1256 if (uuidMachineRegistry.isValid() && !uuidMachineRegistry.isZero())
1257 m->llRegistryIDs.push_back(uuidMachineRegistry);
1258
1259 /* register with VirtualBox/parent early, since uninit() will
1260 * unconditionally unregister on failure */
1261 if (aParent)
1262 {
1263 // differencing medium: add to parent
1264 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
1265 // no need to check maximum depth as settings reading did it
1266 i_setParent(aParent);
1267 }
1268
1269 /* see below why we don't call Medium::i_queryInfo (and therefore treat
1270 * the medium as inaccessible for now */
1271 m->state = MediumState_Inaccessible;
1272 m->strLastAccessError = tr("Accessibility check was not yet performed");
1273
1274 /* required */
1275 unconst(m->id) = data.uuid;
1276
1277 /* assume not a host drive */
1278 m->hostDrive = false;
1279
1280 /* optional */
1281 m->strDescription = data.strDescription;
1282
1283 /* required */
1284 if (aDeviceType == DeviceType_HardDisk)
1285 {
1286 AssertReturn(!data.strFormat.isEmpty(), E_FAIL);
1287 hrc = i_setFormat(data.strFormat);
1288 if (FAILED(hrc)) return hrc;
1289 }
1290 else
1291 {
1292 /// @todo handle host drive settings here as well?
1293 if (!data.strFormat.isEmpty())
1294 hrc = i_setFormat(data.strFormat);
1295 else
1296 hrc = i_setFormat("RAW");
1297 if (FAILED(hrc)) return hrc;
1298 }
1299
1300 /* optional, only for diffs, default is false; we can only auto-reset
1301 * diff media so they must have a parent */
1302 if (aParent != NULL)
1303 m->autoReset = data.fAutoReset;
1304 else
1305 m->autoReset = false;
1306
1307 /* properties (after setting the format as it populates the map). Note that
1308 * if some properties are not supported but present in the settings file,
1309 * they will still be read and accessible (for possible backward
1310 * compatibility; we can also clean them up from the XML upon next
1311 * XML format version change if we wish) */
1312 for (settings::StringsMap::const_iterator it = data.properties.begin();
1313 it != data.properties.end();
1314 ++it)
1315 {
1316 const Utf8Str &name = it->first;
1317 const Utf8Str &value = it->second;
1318 m->mapProperties[name] = value;
1319 }
1320
1321 /* try to decrypt an optional iSCSI initiator secret */
1322 settings::StringsMap::const_iterator itCph = data.properties.find("InitiatorSecretEncrypted");
1323 if ( itCph != data.properties.end()
1324 && !itCph->second.isEmpty())
1325 {
1326 Utf8Str strPlaintext;
1327 int vrc = m->pVirtualBox->i_decryptSetting(&strPlaintext, itCph->second);
1328 if (RT_SUCCESS(vrc))
1329 m->mapProperties["InitiatorSecret"] = strPlaintext;
1330 }
1331
1332 Utf8Str strFull;
1333 if (m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File)
1334 {
1335 // compose full path of the medium, if it's not fully qualified...
1336 // slightly convoluted logic here. If the caller has given us a
1337 // machine folder, then a relative path will be relative to that:
1338 if ( !strMachineFolder.isEmpty()
1339 && !RTPathStartsWithRoot(data.strLocation.c_str())
1340 )
1341 {
1342 strFull = strMachineFolder;
1343 strFull += RTPATH_SLASH;
1344 strFull += data.strLocation;
1345 }
1346 else
1347 {
1348 // Otherwise use the old VirtualBox "make absolute path" logic:
1349 int vrc = m->pVirtualBox->i_calculateFullPath(data.strLocation, strFull);
1350 if (RT_FAILURE(vrc))
1351 return Global::vboxStatusCodeToCOM(vrc);
1352 }
1353 }
1354 else
1355 strFull = data.strLocation;
1356
1357 hrc = i_setLocation(strFull);
1358 if (FAILED(hrc)) return hrc;
1359
1360 if (aDeviceType == DeviceType_HardDisk)
1361 {
1362 /* type is only for base hard disks */
1363 if (m->pParent.isNull())
1364 m->type = data.hdType;
1365 }
1366 else if (aDeviceType == DeviceType_DVD)
1367 m->type = MediumType_Readonly;
1368 else
1369 m->type = MediumType_Writethrough;
1370
1371 /* remember device type for correct unregistering later */
1372 m->devType = aDeviceType;
1373
1374 LogFlowThisFunc(("m->strLocationFull='%s', m->strFormat=%s, m->id={%RTuuid}\n",
1375 m->strLocationFull.c_str(), m->strFormat.c_str(), m->id.raw()));
1376
1377 return S_OK;
1378}
1379
1380/**
1381 * Initializes and registers the medium object and its children by loading its
1382 * data from the given settings node. The medium will always be opened
1383 * read/write.
1384 *
1385 * @todo r=bird: What's that stuff about 'always be opened read/write'?
1386 *
1387 * In this case, since we're loading from a registry, uuidMachineRegistry is
1388 * always set: it's either the global registry UUID or a machine UUID when
1389 * loading from a per-machine registry.
1390 *
1391 * The only caller is currently VirtualBox::initMedia().
1392 *
1393 * @param aVirtualBox VirtualBox object.
1394 * @param aDeviceType Device type of the medium.
1395 * @param uuidMachineRegistry The registry to which this medium should be added
1396 * (global registry UUID or machine UUID).
1397 * @param strMachineFolder The machine folder with which to resolve relative
1398 * paths; if empty, then we use the VirtualBox home directory
1399 * @param data Configuration settings.
1400 * @param mediaTreeLock Autolock.
1401 * @param uIdsForNotify List to be updated with newly registered media.
1402 *
1403 * @note Assumes that the medium tree lock is held for writing. May release
1404 * and lock it again. At the end it is always held.
1405 */
1406/* static */
1407HRESULT Medium::initFromSettings(VirtualBox *aVirtualBox,
1408 DeviceType_T aDeviceType,
1409 const Guid &uuidMachineRegistry,
1410 const Utf8Str &strMachineFolder,
1411 const settings::Medium &data,
1412 AutoWriteLock &mediaTreeLock,
1413 std::list<std::pair<Guid, DeviceType_T> > &uIdsForNotify)
1414{
1415 Assert(aVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
1416 AssertReturn(aVirtualBox, E_INVALIDARG);
1417
1418 HRESULT hrc = S_OK;
1419
1420 MediaList llMediaTocleanup;
1421
1422 std::list<const settings::Medium *> llSettingsTodo;
1423 llSettingsTodo.push_back(&data);
1424 MediaList llParentsTodo;
1425 llParentsTodo.push_back(NULL);
1426
1427 while (!llSettingsTodo.empty())
1428 {
1429 const settings::Medium *current = llSettingsTodo.front();
1430 llSettingsTodo.pop_front();
1431 ComObjPtr<Medium> pParent = llParentsTodo.front();
1432 llParentsTodo.pop_front();
1433
1434 bool fReleasedMediaTreeLock = false;
1435 ComObjPtr<Medium> pMedium;
1436 hrc = pMedium.createObject();
1437 if (FAILED(hrc))
1438 break;
1439 ComObjPtr<Medium> pActualMedium(pMedium);
1440
1441 {
1442 AutoInitSpan autoInitSpan(pMedium);
1443 AssertBreakStmt(autoInitSpan.isOk(), hrc = E_FAIL);
1444
1445 unconst(pMedium->m->pVirtualBox) = aVirtualBox;
1446 hrc = pMedium->initOne(pParent, aDeviceType, uuidMachineRegistry, strMachineFolder, *current);
1447 if (FAILED(hrc))
1448 break;
1449 hrc = aVirtualBox->i_registerMedium(pActualMedium, &pActualMedium, mediaTreeLock, true /*fCalledFromMediumInit*/);
1450 if (SUCCEEDED(hrc) && pActualMedium == pMedium)
1451 {
1452 /* It is a truly new medium, remember details for cleanup. */
1453 autoInitSpan.setSucceeded();
1454 llMediaTocleanup.push_front(pMedium);
1455 }
1456 else
1457 {
1458 /* Since the newly created medium was replaced by an already
1459 * known one when merging medium trees, we can immediately mark
1460 * it as failed. */
1461 autoInitSpan.setFailed();
1462 mediaTreeLock.release();
1463 fReleasedMediaTreeLock = true;
1464 }
1465 }
1466 if (fReleasedMediaTreeLock)
1467 {
1468 /* With the InitSpan out of the way it's safe to let the refcount
1469 * drop to 0 without causing uninit trouble. */
1470 pMedium.setNull();
1471 mediaTreeLock.acquire();
1472
1473 if (FAILED(hrc))
1474 break;
1475 }
1476
1477 /* create all children */
1478 std::list<settings::Medium>::const_iterator itBegin = current->llChildren.begin();
1479 std::list<settings::Medium>::const_iterator itEnd = current->llChildren.end();
1480 for (std::list<settings::Medium>::const_iterator it = itBegin; it != itEnd; ++it)
1481 {
1482 llSettingsTodo.push_back(&*it);
1483 llParentsTodo.push_back(pActualMedium);
1484 }
1485 }
1486
1487 if (SUCCEEDED(hrc))
1488 {
1489 /* Check for consistency. */
1490 Assert(llSettingsTodo.size() == 0);
1491 Assert(llParentsTodo.size() == 0);
1492 /* Create the list of notifications, parent first. */
1493 MediaList::const_reverse_iterator itBegin = llMediaTocleanup.rbegin();
1494 MediaList::const_reverse_iterator itEnd = llMediaTocleanup.rend();
1495 for (MediaList::const_reverse_iterator it = itBegin; it != itEnd; --it)
1496 {
1497 ComObjPtr<Medium> pMedium = *it;
1498 AutoCaller mediumCaller(pMedium);
1499 if (FAILED(mediumCaller.hrc())) continue;
1500 const Guid &id = pMedium->i_getId();
1501 uIdsForNotify.push_back(std::pair<Guid, DeviceType_T>(id, aDeviceType));
1502 }
1503 }
1504 else
1505 {
1506 /* Forget state of the settings processing. */
1507 llSettingsTodo.clear();
1508 llParentsTodo.clear();
1509 /* Unregister all accumulated medium objects in the right order (last
1510 * created to first created, avoiding config leftovers). */
1511 MediaList::const_iterator itBegin = llMediaTocleanup.begin();
1512 MediaList::const_iterator itEnd = llMediaTocleanup.end();
1513 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
1514 {
1515 ComObjPtr<Medium> pMedium = *it;
1516 pMedium->i_unregisterWithVirtualBox();
1517 }
1518 /* Forget the only references to all newly created medium objects,
1519 * triggering freeing (uninit happened in unregistering above). */
1520 mediaTreeLock.release();
1521 llMediaTocleanup.clear();
1522 mediaTreeLock.acquire();
1523 }
1524
1525 return hrc;
1526}
1527
1528/**
1529 * Initializes the medium object by providing the host drive information.
1530 * Not used for anything but the host floppy/host DVD case.
1531 *
1532 * There is no registry for this case.
1533 *
1534 * @param aVirtualBox VirtualBox object.
1535 * @param aDeviceType Device type of the medium.
1536 * @param aLocation Location of the host drive.
1537 * @param aDescription Comment for this host drive.
1538 *
1539 * @note Locks VirtualBox lock for writing.
1540 */
1541HRESULT Medium::init(VirtualBox *aVirtualBox,
1542 DeviceType_T aDeviceType,
1543 const Utf8Str &aLocation,
1544 const Utf8Str &aDescription /* = Utf8Str::Empty */)
1545{
1546 ComAssertRet(aDeviceType == DeviceType_DVD || aDeviceType == DeviceType_Floppy, E_INVALIDARG);
1547 ComAssertRet(!aLocation.isEmpty(), E_INVALIDARG);
1548
1549 /* Enclose the state transition NotReady->InInit->Ready */
1550 AutoInitSpan autoInitSpan(this);
1551 AssertReturn(autoInitSpan.isOk(), E_FAIL);
1552
1553 unconst(m->pVirtualBox) = aVirtualBox;
1554
1555 // We do not store host drives in VirtualBox.xml or anywhere else, so if we want
1556 // host drives to be identifiable by UUID and not give the drive a different UUID
1557 // every time VirtualBox starts, we need to fake a reproducible UUID here:
1558 RTUUID uuid;
1559 RTUuidClear(&uuid);
1560 if (aDeviceType == DeviceType_DVD)
1561 memcpy(&uuid.au8[0], "DVD", 3);
1562 else
1563 memcpy(&uuid.au8[0], "FD", 2);
1564 /* use device name, adjusted to the end of uuid, shortened if necessary */
1565 size_t lenLocation = aLocation.length();
1566 if (lenLocation > 12)
1567 memcpy(&uuid.au8[4], aLocation.c_str() + (lenLocation - 12), 12);
1568 else
1569 memcpy(&uuid.au8[4 + 12 - lenLocation], aLocation.c_str(), lenLocation);
1570 unconst(m->id) = uuid;
1571
1572 if (aDeviceType == DeviceType_DVD)
1573 m->type = MediumType_Readonly;
1574 else
1575 m->type = MediumType_Writethrough;
1576 m->devType = aDeviceType;
1577 m->state = MediumState_Created;
1578 m->hostDrive = true;
1579 HRESULT hrc = i_setFormat("RAW");
1580 if (FAILED(hrc)) return hrc;
1581 hrc = i_setLocation(aLocation);
1582 if (FAILED(hrc)) return hrc;
1583 m->strDescription = aDescription;
1584
1585 autoInitSpan.setSucceeded();
1586 return S_OK;
1587}
1588
1589/**
1590 * Uninitializes the instance.
1591 *
1592 * Called either from FinalRelease() or by the parent when it gets destroyed.
1593 *
1594 * @note All children of this medium get uninitialized, too, in a stack
1595 * friendly manner.
1596 */
1597void Medium::uninit()
1598{
1599 /* It is possible that some previous/concurrent uninit has already cleared
1600 * the pVirtualBox reference, and in this case we don't need to continue.
1601 * Normally this would be handled through the AutoUninitSpan magic, however
1602 * this cannot be done at this point as the media tree must be locked
1603 * before reaching the AutoUninitSpan, otherwise deadlocks can happen.
1604 *
1605 * NOTE: The tree lock is higher priority than the medium caller and medium
1606 * object locks, i.e. the medium caller may have to be released and be
1607 * re-acquired in the right place later. See Medium::getParent() for sample
1608 * code how to do this safely. */
1609 VirtualBox *pVirtualBox = m->pVirtualBox;
1610 if (!pVirtualBox)
1611 return;
1612
1613 /* Caller must not hold the object (checked below) or media tree lock. */
1614 Assert(!pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
1615
1616 AutoWriteLock treeLock(pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
1617
1618 /* Must use a list without refcounting help since "this" might already have
1619 * reached 0, and then the refcount must not be increased again since it
1620 * would otherwise trigger a double free. For all other list entries this
1621 * needs manual refcount updating, to make sure the refcount for children
1622 * does not drop to 0 too early. */
1623 std::list<Medium *> llMediaTodo;
1624 llMediaTodo.push_back(this);
1625
1626 while (!llMediaTodo.empty())
1627 {
1628 Medium *pMedium = llMediaTodo.front();
1629 llMediaTodo.pop_front();
1630
1631 /* Enclose the state transition Ready->InUninit->NotReady */
1632 AutoUninitSpan autoUninitSpan(pMedium);
1633 if (autoUninitSpan.uninitDone())
1634 {
1635 if (pMedium != this)
1636 pMedium->Release();
1637 continue;
1638 }
1639
1640 Assert(!pMedium->isWriteLockOnCurrentThread());
1641#ifdef DEBUG
1642 if (!pMedium->m->backRefs.empty())
1643 pMedium->i_dumpBackRefs();
1644#endif
1645 Assert(pMedium->m->backRefs.empty());
1646
1647 pMedium->m->formatObj.setNull();
1648
1649 if (pMedium->m->state == MediumState_Deleting)
1650 {
1651 /* This medium has been already deleted (directly or as part of a
1652 * merge). Reparenting has already been done. */
1653 Assert(pMedium->m->pParent.isNull());
1654 Assert(pMedium->m->llChildren.empty());
1655 if (pMedium != this)
1656 pMedium->Release();
1657 continue;
1658 }
1659
1660 //Assert(!pMedium->m->pParent);
1661 /** @todo r=klaus Should not be necessary, since the caller should be
1662 * doing the deparenting. No time right now to test everything. */
1663 if (pMedium == this && pMedium->m->pParent)
1664 pMedium->i_deparent();
1665
1666 /* Process all children */
1667 MediaList::const_iterator itBegin = pMedium->m->llChildren.begin();
1668 MediaList::const_iterator itEnd = pMedium->m->llChildren.end();
1669 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
1670 {
1671 Medium *pChild = *it;
1672 pChild->m->pParent.setNull();
1673 pChild->AddRef();
1674 llMediaTodo.push_back(pChild);
1675 }
1676
1677 /* Children information obsolete, will be processed anyway. */
1678 pMedium->m->llChildren.clear();
1679
1680 unconst(pMedium->m->pVirtualBox) = NULL;
1681
1682 if (pMedium != this)
1683 pMedium->Release();
1684
1685 autoUninitSpan.setSucceeded();
1686 }
1687}
1688
1689/**
1690 * Internal helper that removes "this" from the list of children of its
1691 * parent. Used in uninit() and other places when reparenting is necessary.
1692 *
1693 * The caller must hold the medium tree lock!
1694 */
1695void Medium::i_deparent()
1696{
1697 MediaList &llParent = m->pParent->m->llChildren;
1698 for (MediaList::iterator it = llParent.begin();
1699 it != llParent.end();
1700 ++it)
1701 {
1702 Medium *pParentsChild = *it;
1703 if (this == pParentsChild)
1704 {
1705 llParent.erase(it);
1706 break;
1707 }
1708 }
1709 m->pParent.setNull();
1710}
1711
1712/**
1713 * Internal helper that removes "this" from the list of children of its
1714 * parent. Used in uninit() and other places when reparenting is necessary.
1715 *
1716 * The caller must hold the medium tree lock!
1717 */
1718void Medium::i_setParent(const ComObjPtr<Medium> &pParent)
1719{
1720 m->pParent = pParent;
1721 if (pParent)
1722 pParent->m->llChildren.push_back(this);
1723}
1724
1725
1726////////////////////////////////////////////////////////////////////////////////
1727//
1728// IMedium public methods
1729//
1730////////////////////////////////////////////////////////////////////////////////
1731
1732HRESULT Medium::getId(com::Guid &aId)
1733{
1734 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1735
1736 aId = m->id;
1737
1738 return S_OK;
1739}
1740
1741HRESULT Medium::getDescription(AutoCaller &autoCaller, com::Utf8Str &aDescription)
1742{
1743 NOREF(autoCaller);
1744 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1745
1746 aDescription = m->strDescription;
1747
1748 return S_OK;
1749}
1750
1751HRESULT Medium::setDescription(AutoCaller &autoCaller, const com::Utf8Str &aDescription)
1752{
1753 /// @todo update m->strDescription and save the global registry (and local
1754 /// registries of portable VMs referring to this medium), this will also
1755 /// require to add the mRegistered flag to data
1756
1757 HRESULT hrc = S_OK;
1758
1759 MediumLockList *pMediumLockList(new MediumLockList());
1760
1761 try
1762 {
1763 autoCaller.release();
1764
1765 // to avoid redundant locking, which just takes a time, just call required functions.
1766 // the error will be just stored and will be reported after locks will be acquired again
1767
1768 const char *pszError = NULL;
1769
1770
1771 /* Build the lock list. */
1772 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
1773 this /* pToLockWrite */,
1774 true /* fMediumLockWriteAll */,
1775 NULL,
1776 *pMediumLockList);
1777 if (FAILED(hrc))
1778 pszError = tr("Failed to create medium lock list for '%s'");
1779 else
1780 {
1781 hrc = pMediumLockList->Lock();
1782 if (FAILED(hrc))
1783 pszError = tr("Failed to lock media '%s'");
1784 }
1785
1786 // locking: we need the tree lock first because we access parent pointers
1787 // and we need to write-lock the media involved
1788 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
1789
1790 autoCaller.add();
1791 AssertComRCThrowRC(autoCaller.hrc());
1792
1793 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1794
1795 if (FAILED(hrc))
1796 throw setError(hrc, pszError, i_getLocationFull().c_str());
1797
1798 /* Set a new description */
1799 m->strDescription = aDescription;
1800
1801 // save the settings
1802 alock.release();
1803 autoCaller.release();
1804 treeLock.release();
1805 i_markRegistriesModified();
1806 m->pVirtualBox->i_saveModifiedRegistries();
1807 m->pVirtualBox->i_onMediumConfigChanged(this);
1808 }
1809 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
1810
1811 delete pMediumLockList;
1812
1813 return hrc;
1814}
1815
1816HRESULT Medium::getState(MediumState_T *aState)
1817{
1818 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1819 *aState = m->state;
1820
1821 return S_OK;
1822}
1823
1824HRESULT Medium::getVariant(std::vector<MediumVariant_T> &aVariant)
1825{
1826 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1827
1828 const size_t cBits = sizeof(MediumVariant_T) * 8;
1829 aVariant.resize(cBits);
1830 for (size_t i = 0; i < cBits; ++i)
1831 aVariant[i] = (MediumVariant_T)(m->variant & RT_BIT(i));
1832
1833 return S_OK;
1834}
1835
1836HRESULT Medium::getLocation(com::Utf8Str &aLocation)
1837{
1838 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1839
1840 aLocation = m->strLocationFull;
1841
1842 return S_OK;
1843}
1844
1845HRESULT Medium::getName(com::Utf8Str &aName)
1846{
1847 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1848
1849 aName = i_getName();
1850
1851 return S_OK;
1852}
1853
1854HRESULT Medium::getDeviceType(DeviceType_T *aDeviceType)
1855{
1856 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1857
1858 *aDeviceType = m->devType;
1859
1860 return S_OK;
1861}
1862
1863HRESULT Medium::getHostDrive(BOOL *aHostDrive)
1864{
1865 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1866
1867 *aHostDrive = m->hostDrive;
1868
1869 return S_OK;
1870}
1871
1872HRESULT Medium::getSize(LONG64 *aSize)
1873{
1874 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1875
1876 *aSize = (LONG64)m->size;
1877
1878 return S_OK;
1879}
1880
1881HRESULT Medium::getFormat(com::Utf8Str &aFormat)
1882{
1883 /* no need to lock, m->strFormat is const */
1884
1885 aFormat = m->strFormat;
1886 return S_OK;
1887}
1888
1889HRESULT Medium::getMediumFormat(ComPtr<IMediumFormat> &aMediumFormat)
1890{
1891 /* no need to lock, m->formatObj is const */
1892 m->formatObj.queryInterfaceTo(aMediumFormat.asOutParam());
1893
1894 return S_OK;
1895}
1896
1897HRESULT Medium::getType(AutoCaller &autoCaller, MediumType_T *aType)
1898{
1899 NOREF(autoCaller);
1900 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1901
1902 *aType = m->type;
1903
1904 return S_OK;
1905}
1906
1907HRESULT Medium::setType(AutoCaller &autoCaller, MediumType_T aType)
1908{
1909 autoCaller.release();
1910
1911 /* It is possible that some previous/concurrent uninit has already cleared
1912 * the pVirtualBox reference, see #uninit(). */
1913 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
1914
1915 // we access m->pParent
1916 AutoReadLock treeLock(!pVirtualBox.isNull() ? &pVirtualBox->i_getMediaTreeLockHandle() : NULL COMMA_LOCKVAL_SRC_POS);
1917
1918 autoCaller.add();
1919 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
1920
1921 AutoWriteLock mlock(this COMMA_LOCKVAL_SRC_POS);
1922
1923 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
1924 while (m->queryInfoRunning)
1925 {
1926 mlock.release();
1927 autoCaller.release();
1928 treeLock.release();
1929 /* Must not hold the media tree lock, as Medium::i_queryInfo needs
1930 * this lock and thus we would run into a deadlock here. */
1931 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
1932 /* must not hold the object lock now */
1933 Assert(!isWriteLockOnCurrentThread());
1934 {
1935 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
1936 }
1937 treeLock.acquire();
1938 autoCaller.add();
1939 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
1940 mlock.acquire();
1941 }
1942
1943 switch (m->state)
1944 {
1945 case MediumState_Created:
1946 case MediumState_Inaccessible:
1947 break;
1948 default:
1949 return i_setStateError();
1950 }
1951
1952 if (m->type == aType)
1953 {
1954 /* Nothing to do */
1955 return S_OK;
1956 }
1957
1958 DeviceType_T devType = i_getDeviceType();
1959 // DVD media can only be readonly.
1960 if (devType == DeviceType_DVD && aType != MediumType_Readonly)
1961 return setError(VBOX_E_INVALID_OBJECT_STATE,
1962 tr("Cannot change the type of DVD medium '%s'"),
1963 m->strLocationFull.c_str());
1964 // Floppy media can only be writethrough or readonly.
1965 if ( devType == DeviceType_Floppy
1966 && aType != MediumType_Writethrough
1967 && aType != MediumType_Readonly)
1968 return setError(VBOX_E_INVALID_OBJECT_STATE,
1969 tr("Cannot change the type of floppy medium '%s'"),
1970 m->strLocationFull.c_str());
1971
1972 /* cannot change the type of a differencing medium */
1973 if (m->pParent)
1974 return setError(VBOX_E_INVALID_OBJECT_STATE,
1975 tr("Cannot change the type of medium '%s' because it is a differencing medium"),
1976 m->strLocationFull.c_str());
1977
1978 /* Cannot change the type of a medium being in use by more than one VM.
1979 * If the change is to Immutable or MultiAttach then it must not be
1980 * directly attached to any VM, otherwise the assumptions about indirect
1981 * attachment elsewhere are violated and the VM becomes inaccessible.
1982 * Attaching an immutable medium triggers the diff creation, and this is
1983 * vital for the correct operation. */
1984 if ( m->backRefs.size() > 1
1985 || ( ( aType == MediumType_Immutable
1986 || aType == MediumType_MultiAttach)
1987 && m->backRefs.size() > 0))
1988 return setError(VBOX_E_INVALID_OBJECT_STATE,
1989 tr("Cannot change the type of medium '%s' because it is attached to %d virtual machines",
1990 "", m->backRefs.size()),
1991 m->strLocationFull.c_str(), m->backRefs.size());
1992
1993 switch (aType)
1994 {
1995 case MediumType_Normal:
1996 case MediumType_Immutable:
1997 case MediumType_MultiAttach:
1998 {
1999 /* normal can be easily converted to immutable and vice versa even
2000 * if they have children as long as they are not attached to any
2001 * machine themselves */
2002 break;
2003 }
2004 case MediumType_Writethrough:
2005 case MediumType_Shareable:
2006 case MediumType_Readonly:
2007 {
2008 /* cannot change to writethrough, shareable or readonly
2009 * if there are children */
2010 if (i_getChildren().size() != 0)
2011 return setError(VBOX_E_OBJECT_IN_USE,
2012 tr("Cannot change type for medium '%s' since it has %d child media", "", i_getChildren().size()),
2013 m->strLocationFull.c_str(), i_getChildren().size());
2014 if (aType == MediumType_Shareable)
2015 {
2016 MediumVariant_T variant = i_getVariant();
2017 if (!(variant & MediumVariant_Fixed))
2018 return setError(VBOX_E_INVALID_OBJECT_STATE,
2019 tr("Cannot change type for medium '%s' to 'Shareable' since it is a dynamic medium storage unit"),
2020 m->strLocationFull.c_str());
2021 }
2022 else if (aType == MediumType_Readonly && devType == DeviceType_HardDisk)
2023 {
2024 // Readonly hard disks are not allowed, this medium type is reserved for
2025 // DVDs and floppy images at the moment. Later we might allow readonly hard
2026 // disks, but that's extremely unusual and many guest OSes will have trouble.
2027 return setError(VBOX_E_INVALID_OBJECT_STATE,
2028 tr("Cannot change type for medium '%s' to 'Readonly' since it is a hard disk"),
2029 m->strLocationFull.c_str());
2030 }
2031 break;
2032 }
2033 default:
2034 AssertFailedReturn(E_FAIL);
2035 }
2036
2037 if (aType == MediumType_MultiAttach)
2038 {
2039 // This type is new with VirtualBox 4.0 and therefore requires settings
2040 // version 1.11 in the settings backend. Unfortunately it is not enough to do
2041 // the usual routine in MachineConfigFile::bumpSettingsVersionIfNeeded() for
2042 // two reasons: The medium type is a property of the media registry tree, which
2043 // can reside in the global config file (for pre-4.0 media); we would therefore
2044 // possibly need to bump the global config version. We don't want to do that though
2045 // because that might make downgrading to pre-4.0 impossible.
2046 // As a result, we can only use these two new types if the medium is NOT in the
2047 // global registry:
2048 const Guid &uuidGlobalRegistry = m->pVirtualBox->i_getGlobalRegistryId();
2049 if (i_isInRegistry(uuidGlobalRegistry))
2050 return setError(VBOX_E_INVALID_OBJECT_STATE,
2051 tr("Cannot change type for medium '%s': the media type 'MultiAttach' can only be used "
2052 "on media registered with a machine that was created with VirtualBox 4.0 or later"),
2053 m->strLocationFull.c_str());
2054 }
2055
2056 m->type = aType;
2057
2058 // save the settings
2059 mlock.release();
2060 autoCaller.release();
2061 treeLock.release();
2062 i_markRegistriesModified();
2063 m->pVirtualBox->i_saveModifiedRegistries();
2064 m->pVirtualBox->i_onMediumConfigChanged(this);
2065
2066 return S_OK;
2067}
2068
2069HRESULT Medium::getAllowedTypes(std::vector<MediumType_T> &aAllowedTypes)
2070{
2071 NOREF(aAllowedTypes);
2072 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2073
2074 ReturnComNotImplemented();
2075}
2076
2077HRESULT Medium::getParent(AutoCaller &autoCaller, ComPtr<IMedium> &aParent)
2078{
2079 autoCaller.release();
2080
2081 /* It is possible that some previous/concurrent uninit has already cleared
2082 * the pVirtualBox reference, see #uninit(). */
2083 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
2084
2085 /* we access m->pParent */
2086 AutoReadLock treeLock(!pVirtualBox.isNull() ? &pVirtualBox->i_getMediaTreeLockHandle() : NULL COMMA_LOCKVAL_SRC_POS);
2087
2088 autoCaller.add();
2089 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
2090
2091 m->pParent.queryInterfaceTo(aParent.asOutParam());
2092
2093 return S_OK;
2094}
2095
2096HRESULT Medium::getChildren(AutoCaller &autoCaller, std::vector<ComPtr<IMedium> > &aChildren)
2097{
2098 autoCaller.release();
2099
2100 /* It is possible that some previous/concurrent uninit has already cleared
2101 * the pVirtualBox reference, see #uninit(). */
2102 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
2103
2104 /* we access children */
2105 AutoReadLock treeLock(!pVirtualBox.isNull() ? &pVirtualBox->i_getMediaTreeLockHandle() : NULL COMMA_LOCKVAL_SRC_POS);
2106
2107 autoCaller.add();
2108 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
2109
2110 MediaList children(this->i_getChildren());
2111 aChildren.resize(children.size());
2112 size_t i = 0;
2113 for (MediaList::const_iterator it = children.begin(); it != children.end(); ++it, ++i)
2114 (*it).queryInterfaceTo(aChildren[i].asOutParam());
2115 return S_OK;
2116}
2117
2118HRESULT Medium::getBase(AutoCaller &autoCaller, ComPtr<IMedium> &aBase)
2119{
2120 autoCaller.release();
2121
2122 /* i_getBase() will do callers/locking */
2123 i_getBase().queryInterfaceTo(aBase.asOutParam());
2124
2125 return S_OK;
2126}
2127
2128HRESULT Medium::getReadOnly(AutoCaller &autoCaller, BOOL *aReadOnly)
2129{
2130 autoCaller.release();
2131
2132 /* isReadOnly() will do locking */
2133 *aReadOnly = i_isReadOnly();
2134
2135 return S_OK;
2136}
2137
2138HRESULT Medium::getLogicalSize(LONG64 *aLogicalSize)
2139{
2140 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2141
2142 *aLogicalSize = (LONG64)m->logicalSize;
2143
2144 return S_OK;
2145}
2146
2147HRESULT Medium::getAutoReset(BOOL *aAutoReset)
2148{
2149 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2150
2151 if (m->pParent.isNull())
2152 *aAutoReset = FALSE;
2153 else
2154 *aAutoReset = m->autoReset;
2155
2156 return S_OK;
2157}
2158
2159HRESULT Medium::setAutoReset(BOOL aAutoReset)
2160{
2161 AutoWriteLock mlock(this COMMA_LOCKVAL_SRC_POS);
2162
2163 if (m->pParent.isNull())
2164 return setError(VBOX_E_NOT_SUPPORTED,
2165 tr("Medium '%s' is not differencing"),
2166 m->strLocationFull.c_str());
2167
2168 if (m->autoReset != !!aAutoReset)
2169 {
2170 m->autoReset = !!aAutoReset;
2171
2172 // save the settings
2173 mlock.release();
2174 i_markRegistriesModified();
2175 m->pVirtualBox->i_saveModifiedRegistries();
2176 m->pVirtualBox->i_onMediumConfigChanged(this);
2177 }
2178
2179 return S_OK;
2180}
2181
2182HRESULT Medium::getLastAccessError(com::Utf8Str &aLastAccessError)
2183{
2184 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2185
2186 aLastAccessError = m->strLastAccessError;
2187
2188 return S_OK;
2189}
2190
2191HRESULT Medium::getMachineIds(std::vector<com::Guid> &aMachineIds)
2192{
2193 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2194
2195 if (m->backRefs.size() != 0)
2196 {
2197 BackRefList brlist(m->backRefs);
2198 aMachineIds.resize(brlist.size());
2199 size_t i = 0;
2200 for (BackRefList::const_iterator it = brlist.begin(); it != brlist.end(); ++it, ++i)
2201 aMachineIds[i] = it->machineId;
2202 }
2203
2204 return S_OK;
2205}
2206
2207HRESULT Medium::setIds(AutoCaller &autoCaller,
2208 BOOL aSetImageId,
2209 const com::Guid &aImageId,
2210 BOOL aSetParentId,
2211 const com::Guid &aParentId)
2212{
2213 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2214
2215 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
2216 if (m->queryInfoRunning)
2217 {
2218 /* Must not hold the media tree lock, as Medium::i_queryInfo needs this
2219 * lock and thus we would run into a deadlock here. */
2220 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
2221 while (m->queryInfoRunning)
2222 {
2223 alock.release();
2224 /* must not hold the object lock now */
2225 Assert(!isWriteLockOnCurrentThread());
2226 {
2227 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
2228 }
2229 alock.acquire();
2230 }
2231 }
2232
2233 switch (m->state)
2234 {
2235 case MediumState_Created:
2236 break;
2237 default:
2238 return i_setStateError();
2239 }
2240
2241 Guid imageId, parentId;
2242 if (aSetImageId)
2243 {
2244 if (aImageId.isZero())
2245 imageId.create();
2246 else
2247 {
2248 imageId = aImageId;
2249 if (!imageId.isValid())
2250 return setError(E_INVALIDARG, tr("Argument %s is invalid"), "aImageId");
2251 }
2252 }
2253 if (aSetParentId)
2254 {
2255 if (aParentId.isZero())
2256 parentId.create();
2257 else
2258 parentId = aParentId;
2259 }
2260
2261 const Guid uPrevImage = m->uuidImage;
2262 unconst(m->uuidImage) = imageId;
2263 ComObjPtr<Medium> pPrevParent = i_getParent();
2264 unconst(m->uuidParentImage) = parentId;
2265
2266 // must not hold any locks before calling Medium::i_queryInfo
2267 alock.release();
2268
2269 HRESULT hrc = i_queryInfo(!!aSetImageId /* fSetImageId */,
2270 !!aSetParentId /* fSetParentId */,
2271 autoCaller);
2272
2273 AutoReadLock arlock(this COMMA_LOCKVAL_SRC_POS);
2274 const Guid uCurrImage = m->uuidImage;
2275 ComObjPtr<Medium> pCurrParent = i_getParent();
2276 arlock.release();
2277
2278 if (SUCCEEDED(hrc))
2279 {
2280 if (uCurrImage != uPrevImage)
2281 m->pVirtualBox->i_onMediumConfigChanged(this);
2282 if (pPrevParent != pCurrParent)
2283 {
2284 if (pPrevParent)
2285 m->pVirtualBox->i_onMediumConfigChanged(pPrevParent);
2286 if (pCurrParent)
2287 m->pVirtualBox->i_onMediumConfigChanged(pCurrParent);
2288 }
2289 }
2290
2291 return hrc;
2292}
2293
2294HRESULT Medium::refreshState(AutoCaller &autoCaller, MediumState_T *aState)
2295{
2296 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2297
2298 HRESULT hrc = S_OK;
2299
2300 switch (m->state)
2301 {
2302 case MediumState_Created:
2303 case MediumState_Inaccessible:
2304 case MediumState_LockedRead:
2305 {
2306 // must not hold any locks before calling Medium::i_queryInfo
2307 alock.release();
2308
2309 hrc = i_queryInfo(false /* fSetImageId */, false /* fSetParentId */, autoCaller);
2310
2311 alock.acquire();
2312 break;
2313 }
2314 default:
2315 break;
2316 }
2317
2318 *aState = m->state;
2319
2320 return hrc;
2321}
2322
2323HRESULT Medium::getSnapshotIds(const com::Guid &aMachineId,
2324 std::vector<com::Guid> &aSnapshotIds)
2325{
2326 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2327
2328 for (BackRefList::const_iterator it = m->backRefs.begin();
2329 it != m->backRefs.end(); ++it)
2330 {
2331 if (it->machineId == aMachineId)
2332 {
2333 size_t size = it->llSnapshotIds.size();
2334
2335 /* if the medium is attached to the machine in the current state, we
2336 * return its ID as the first element of the array */
2337 if (it->fInCurState)
2338 ++size;
2339
2340 if (size > 0)
2341 {
2342 aSnapshotIds.resize(size);
2343
2344 size_t j = 0;
2345 if (it->fInCurState)
2346 aSnapshotIds[j++] = it->machineId.toUtf16();
2347
2348 for(std::list<SnapshotRef>::const_iterator jt = it->llSnapshotIds.begin(); jt != it->llSnapshotIds.end(); ++jt, ++j)
2349 aSnapshotIds[j] = jt->snapshotId;
2350 }
2351
2352 break;
2353 }
2354 }
2355
2356 return S_OK;
2357}
2358
2359HRESULT Medium::lockRead(ComPtr<IToken> &aToken)
2360{
2361 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2362
2363 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
2364 if (m->queryInfoRunning)
2365 {
2366 /* Must not hold the media tree lock, as Medium::i_queryInfo needs this
2367 * lock and thus we would run into a deadlock here. */
2368 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
2369 while (m->queryInfoRunning)
2370 {
2371 alock.release();
2372 /* must not hold the object lock now */
2373 Assert(!isWriteLockOnCurrentThread());
2374 {
2375 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
2376 }
2377 alock.acquire();
2378 }
2379 }
2380
2381 HRESULT hrc = S_OK;
2382
2383 switch (m->state)
2384 {
2385 case MediumState_Created:
2386 case MediumState_Inaccessible:
2387 case MediumState_LockedRead:
2388 {
2389 ++m->readers;
2390
2391 ComAssertMsgBreak(m->readers != 0, (tr("Counter overflow")), hrc = E_FAIL);
2392
2393 /* Remember pre-lock state */
2394 if (m->state != MediumState_LockedRead)
2395 m->preLockState = m->state;
2396
2397 LogFlowThisFunc(("Okay - prev state=%d readers=%d\n", m->state, m->readers));
2398 m->state = MediumState_LockedRead;
2399
2400 ComObjPtr<MediumLockToken> pToken;
2401 hrc = pToken.createObject();
2402 if (SUCCEEDED(hrc))
2403 hrc = pToken->init(this, false /* fWrite */);
2404 if (FAILED(hrc))
2405 {
2406 --m->readers;
2407 if (m->readers == 0)
2408 m->state = m->preLockState;
2409 return hrc;
2410 }
2411
2412 pToken.queryInterfaceTo(aToken.asOutParam());
2413 break;
2414 }
2415 default:
2416 {
2417 LogFlowThisFunc(("Failing - state=%d\n", m->state));
2418 hrc = i_setStateError();
2419 break;
2420 }
2421 }
2422
2423 return hrc;
2424}
2425
2426/**
2427 * @note @a aState may be NULL if the state value is not needed (only for
2428 * in-process calls).
2429 */
2430HRESULT Medium::i_unlockRead(MediumState_T *aState)
2431{
2432 AutoCaller autoCaller(this);
2433 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
2434
2435 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2436
2437 HRESULT hrc = S_OK;
2438
2439 switch (m->state)
2440 {
2441 case MediumState_LockedRead:
2442 {
2443 ComAssertMsgBreak(m->readers != 0, (tr("Counter underflow")), hrc = E_FAIL);
2444 --m->readers;
2445
2446 /* Reset the state after the last reader */
2447 if (m->readers == 0)
2448 {
2449 m->state = m->preLockState;
2450 /* There are cases where we inject the deleting state into
2451 * a medium locked for reading. Make sure #unmarkForDeletion()
2452 * gets the right state afterwards. */
2453 if (m->preLockState == MediumState_Deleting)
2454 m->preLockState = MediumState_Created;
2455 }
2456
2457 LogFlowThisFunc(("new state=%d\n", m->state));
2458 break;
2459 }
2460 default:
2461 {
2462 LogFlowThisFunc(("Failing - state=%d\n", m->state));
2463 hrc = setError(VBOX_E_INVALID_OBJECT_STATE, tr("Medium '%s' is not locked for reading"), m->strLocationFull.c_str());
2464 break;
2465 }
2466 }
2467
2468 /* return the current state after */
2469 if (aState)
2470 *aState = m->state;
2471
2472 return hrc;
2473}
2474HRESULT Medium::lockWrite(ComPtr<IToken> &aToken)
2475{
2476 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2477
2478 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
2479 if (m->queryInfoRunning)
2480 {
2481 /* Must not hold the media tree lock, as Medium::i_queryInfo needs this
2482 * lock and thus we would run into a deadlock here. */
2483 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
2484 while (m->queryInfoRunning)
2485 {
2486 alock.release();
2487 /* must not hold the object lock now */
2488 Assert(!isWriteLockOnCurrentThread());
2489 {
2490 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
2491 }
2492 alock.acquire();
2493 }
2494 }
2495
2496 HRESULT hrc = S_OK;
2497
2498 switch (m->state)
2499 {
2500 case MediumState_Created:
2501 case MediumState_Inaccessible:
2502 {
2503 m->preLockState = m->state;
2504
2505 LogFlowThisFunc(("Okay - prev state=%d locationFull=%s\n", m->state, i_getLocationFull().c_str()));
2506 m->state = MediumState_LockedWrite;
2507
2508 ComObjPtr<MediumLockToken> pToken;
2509 hrc = pToken.createObject();
2510 if (SUCCEEDED(hrc))
2511 hrc = pToken->init(this, true /* fWrite */);
2512 if (FAILED(hrc))
2513 {
2514 m->state = m->preLockState;
2515 return hrc;
2516 }
2517
2518 pToken.queryInterfaceTo(aToken.asOutParam());
2519 break;
2520 }
2521 default:
2522 {
2523 LogFlowThisFunc(("Failing - state=%d locationFull=%s\n", m->state, i_getLocationFull().c_str()));
2524 hrc = i_setStateError();
2525 break;
2526 }
2527 }
2528
2529 return hrc;
2530}
2531
2532/**
2533 * @note @a aState may be NULL if the state value is not needed (only for
2534 * in-process calls).
2535 */
2536HRESULT Medium::i_unlockWrite(MediumState_T *aState)
2537{
2538 AutoCaller autoCaller(this);
2539 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
2540
2541 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2542
2543 HRESULT hrc = S_OK;
2544
2545 switch (m->state)
2546 {
2547 case MediumState_LockedWrite:
2548 {
2549 m->state = m->preLockState;
2550 /* There are cases where we inject the deleting state into
2551 * a medium locked for writing. Make sure #unmarkForDeletion()
2552 * gets the right state afterwards. */
2553 if (m->preLockState == MediumState_Deleting)
2554 m->preLockState = MediumState_Created;
2555 LogFlowThisFunc(("new state=%d locationFull=%s\n", m->state, i_getLocationFull().c_str()));
2556 break;
2557 }
2558 default:
2559 {
2560 LogFlowThisFunc(("Failing - state=%d locationFull=%s\n", m->state, i_getLocationFull().c_str()));
2561 hrc = setError(VBOX_E_INVALID_OBJECT_STATE, tr("Medium '%s' is not locked for writing"), m->strLocationFull.c_str());
2562 break;
2563 }
2564 }
2565
2566 /* return the current state after */
2567 if (aState)
2568 *aState = m->state;
2569
2570 return hrc;
2571}
2572
2573HRESULT Medium::close(AutoCaller &aAutoCaller)
2574{
2575 // make a copy of VirtualBox pointer which gets nulled by uninit()
2576 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
2577
2578 Guid uId = i_getId();
2579 DeviceType_T devType = i_getDeviceType();
2580 MultiResult mrc = i_close(aAutoCaller);
2581
2582 pVirtualBox->i_saveModifiedRegistries();
2583
2584 if (SUCCEEDED(mrc) && uId.isValid() && !uId.isZero())
2585 pVirtualBox->i_onMediumRegistered(uId, devType, FALSE);
2586
2587 return mrc;
2588}
2589
2590HRESULT Medium::getProperty(const com::Utf8Str &aName,
2591 com::Utf8Str &aValue)
2592{
2593 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2594
2595 settings::StringsMap::const_iterator it = m->mapProperties.find(aName);
2596 if (it == m->mapProperties.end())
2597 {
2598 if (!aName.startsWith("Special/"))
2599 return setError(VBOX_E_OBJECT_NOT_FOUND,
2600 tr("Property '%s' does not exist"), aName.c_str());
2601 else
2602 /* be more silent here */
2603 return VBOX_E_OBJECT_NOT_FOUND;
2604 }
2605
2606 aValue = it->second;
2607
2608 return S_OK;
2609}
2610
2611HRESULT Medium::setProperty(const com::Utf8Str &aName,
2612 const com::Utf8Str &aValue)
2613{
2614 AutoWriteLock mlock(this COMMA_LOCKVAL_SRC_POS);
2615
2616 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
2617 if (m->queryInfoRunning)
2618 {
2619 /* Must not hold the media tree lock, as Medium::i_queryInfo needs this
2620 * lock and thus we would run into a deadlock here. */
2621 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
2622 while (m->queryInfoRunning)
2623 {
2624 mlock.release();
2625 /* must not hold the object lock now */
2626 Assert(!isWriteLockOnCurrentThread());
2627 {
2628 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
2629 }
2630 mlock.acquire();
2631 }
2632 }
2633
2634 switch (m->state)
2635 {
2636 case MediumState_NotCreated:
2637 case MediumState_Created:
2638 case MediumState_Inaccessible:
2639 break;
2640 default:
2641 return i_setStateError();
2642 }
2643
2644 settings::StringsMap::iterator it = m->mapProperties.find(aName);
2645 if ( !aName.startsWith("Special/")
2646 && !i_isPropertyForFilter(aName))
2647 {
2648 if (it == m->mapProperties.end())
2649 return setError(VBOX_E_OBJECT_NOT_FOUND,
2650 tr("Property '%s' does not exist"),
2651 aName.c_str());
2652 it->second = aValue;
2653 }
2654 else
2655 {
2656 if (it == m->mapProperties.end())
2657 {
2658 if (!aValue.isEmpty())
2659 m->mapProperties[aName] = aValue;
2660 }
2661 else
2662 {
2663 if (!aValue.isEmpty())
2664 it->second = aValue;
2665 else
2666 m->mapProperties.erase(it);
2667 }
2668 }
2669
2670 // save the settings
2671 mlock.release();
2672 i_markRegistriesModified();
2673 m->pVirtualBox->i_saveModifiedRegistries();
2674 m->pVirtualBox->i_onMediumConfigChanged(this);
2675
2676 return S_OK;
2677}
2678
2679HRESULT Medium::getProperties(const com::Utf8Str &aNames,
2680 std::vector<com::Utf8Str> &aReturnNames,
2681 std::vector<com::Utf8Str> &aReturnValues)
2682{
2683 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2684
2685 /// @todo make use of aNames according to the documentation
2686 NOREF(aNames);
2687
2688 aReturnNames.resize(m->mapProperties.size());
2689 aReturnValues.resize(m->mapProperties.size());
2690 size_t i = 0;
2691 for (settings::StringsMap::const_iterator it = m->mapProperties.begin();
2692 it != m->mapProperties.end();
2693 ++it, ++i)
2694 {
2695 aReturnNames[i] = it->first;
2696 aReturnValues[i] = it->second;
2697 }
2698 return S_OK;
2699}
2700
2701HRESULT Medium::setProperties(const std::vector<com::Utf8Str> &aNames,
2702 const std::vector<com::Utf8Str> &aValues)
2703{
2704 AutoWriteLock mlock(this COMMA_LOCKVAL_SRC_POS);
2705
2706 /* first pass: validate names */
2707 for (size_t i = 0;
2708 i < aNames.size();
2709 ++i)
2710 {
2711 Utf8Str strName(aNames[i]);
2712 if ( !strName.startsWith("Special/")
2713 && !i_isPropertyForFilter(strName)
2714 && m->mapProperties.find(strName) == m->mapProperties.end())
2715 return setError(VBOX_E_OBJECT_NOT_FOUND,
2716 tr("Property '%s' does not exist"), strName.c_str());
2717 }
2718
2719 /* second pass: assign */
2720 for (size_t i = 0;
2721 i < aNames.size();
2722 ++i)
2723 {
2724 Utf8Str strName(aNames[i]);
2725 Utf8Str strValue(aValues[i]);
2726 settings::StringsMap::iterator it = m->mapProperties.find(strName);
2727 if ( !strName.startsWith("Special/")
2728 && !i_isPropertyForFilter(strName))
2729 {
2730 AssertReturn(it != m->mapProperties.end(), E_FAIL);
2731 it->second = strValue;
2732 }
2733 else
2734 {
2735 if (it == m->mapProperties.end())
2736 {
2737 if (!strValue.isEmpty())
2738 m->mapProperties[strName] = strValue;
2739 }
2740 else
2741 {
2742 if (!strValue.isEmpty())
2743 it->second = strValue;
2744 else
2745 m->mapProperties.erase(it);
2746 }
2747 }
2748 }
2749
2750 // save the settings
2751 mlock.release();
2752 i_markRegistriesModified();
2753 m->pVirtualBox->i_saveModifiedRegistries();
2754 m->pVirtualBox->i_onMediumConfigChanged(this);
2755
2756 return S_OK;
2757}
2758
2759HRESULT Medium::createBaseStorage(LONG64 aLogicalSize,
2760 const std::vector<MediumVariant_T> &aVariant,
2761 ComPtr<IProgress> &aProgress)
2762{
2763 if (aLogicalSize < 0)
2764 return setError(E_INVALIDARG, tr("The medium size argument (%lld) is negative"), aLogicalSize);
2765
2766 HRESULT hrc = S_OK;
2767 ComObjPtr<Progress> pProgress;
2768 Medium::Task *pTask = NULL;
2769
2770 try
2771 {
2772 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2773
2774 ULONG mediumVariantFlags = 0;
2775
2776 if (aVariant.size())
2777 {
2778 for (size_t i = 0; i < aVariant.size(); i++)
2779 mediumVariantFlags |= (ULONG)aVariant[i];
2780 }
2781
2782 mediumVariantFlags &= ((unsigned)~MediumVariant_Diff);
2783
2784 if ( !(mediumVariantFlags & MediumVariant_Fixed)
2785 && !(m->formatObj->i_getCapabilities() & MediumFormatCapabilities_CreateDynamic))
2786 throw setError(VBOX_E_NOT_SUPPORTED,
2787 tr("Medium format '%s' does not support dynamic storage creation"),
2788 m->strFormat.c_str());
2789
2790 if ( (mediumVariantFlags & MediumVariant_Fixed)
2791 && !(m->formatObj->i_getCapabilities() & MediumFormatCapabilities_CreateFixed))
2792 throw setError(VBOX_E_NOT_SUPPORTED,
2793 tr("Medium format '%s' does not support fixed storage creation"),
2794 m->strFormat.c_str());
2795
2796 if ( (mediumVariantFlags & MediumVariant_Formatted)
2797 && i_getDeviceType() != DeviceType_Floppy)
2798 throw setError(VBOX_E_NOT_SUPPORTED,
2799 tr("Medium variant 'formatted' applies to floppy images only"));
2800
2801 if (m->state != MediumState_NotCreated)
2802 throw i_setStateError();
2803
2804 pProgress.createObject();
2805 hrc = pProgress->init(m->pVirtualBox,
2806 static_cast<IMedium*>(this),
2807 mediumVariantFlags & MediumVariant_Fixed
2808 ? BstrFmt(tr("Creating fixed medium storage unit '%s'"), m->strLocationFull.c_str()).raw()
2809 : BstrFmt(tr("Creating dynamic medium storage unit '%s'"), m->strLocationFull.c_str()).raw(),
2810 TRUE /* aCancelable */);
2811 if (FAILED(hrc))
2812 throw hrc;
2813
2814 /* setup task object to carry out the operation asynchronously */
2815 pTask = new Medium::CreateBaseTask(this, pProgress, (uint64_t)aLogicalSize,
2816 (MediumVariant_T)mediumVariantFlags);
2817 hrc = pTask->hrc();
2818 AssertComRC(hrc);
2819 if (FAILED(hrc))
2820 throw hrc;
2821
2822 m->state = MediumState_Creating;
2823 }
2824 catch (HRESULT hrcXcpt)
2825 {
2826 hrc = hrcXcpt;
2827 }
2828
2829 if (SUCCEEDED(hrc))
2830 {
2831 hrc = pTask->createThread();
2832 pTask = NULL;
2833
2834 if (SUCCEEDED(hrc))
2835 pProgress.queryInterfaceTo(aProgress.asOutParam());
2836 }
2837 else if (pTask != NULL)
2838 delete pTask;
2839
2840 return hrc;
2841}
2842
2843HRESULT Medium::deleteStorage(ComPtr<IProgress> &aProgress)
2844{
2845 ComObjPtr<Progress> pProgress;
2846
2847 MultiResult mrc = i_deleteStorage(&pProgress,
2848 false /* aWait */,
2849 true /* aNotify */);
2850 /* Must save the registries in any case, since an entry was removed. */
2851 m->pVirtualBox->i_saveModifiedRegistries();
2852
2853 if (SUCCEEDED(mrc))
2854 pProgress.queryInterfaceTo(aProgress.asOutParam());
2855
2856 return mrc;
2857}
2858
2859HRESULT Medium::createDiffStorage(AutoCaller &autoCaller,
2860 const ComPtr<IMedium> &aTarget,
2861 const std::vector<MediumVariant_T> &aVariant,
2862 ComPtr<IProgress> &aProgress)
2863{
2864 IMedium *aT = aTarget;
2865 ComObjPtr<Medium> diff = static_cast<Medium*>(aT);
2866
2867 autoCaller.release();
2868
2869 /* It is possible that some previous/concurrent uninit has already cleared
2870 * the pVirtualBox reference, see #uninit(). */
2871 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
2872
2873 // we access m->pParent
2874 AutoReadLock treeLock(!pVirtualBox.isNull() ? &pVirtualBox->i_getMediaTreeLockHandle() : NULL COMMA_LOCKVAL_SRC_POS);
2875
2876 autoCaller.add();
2877 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
2878
2879 AutoMultiWriteLock2 alock(this, diff COMMA_LOCKVAL_SRC_POS);
2880
2881 if (m->type == MediumType_Writethrough)
2882 return setError(VBOX_E_INVALID_OBJECT_STATE,
2883 tr("Medium type of '%s' is Writethrough"),
2884 m->strLocationFull.c_str());
2885 else if (m->type == MediumType_Shareable)
2886 return setError(VBOX_E_INVALID_OBJECT_STATE,
2887 tr("Medium type of '%s' is Shareable"),
2888 m->strLocationFull.c_str());
2889 else if (m->type == MediumType_Readonly)
2890 return setError(VBOX_E_INVALID_OBJECT_STATE,
2891 tr("Medium type of '%s' is Readonly"),
2892 m->strLocationFull.c_str());
2893
2894 /* Apply the normal locking logic to the entire chain. */
2895 MediumLockList *pMediumLockList(new MediumLockList());
2896 alock.release();
2897 autoCaller.release();
2898 treeLock.release();
2899 HRESULT hrc = diff->i_createMediumLockList(true /* fFailIfInaccessible */,
2900 diff /* pToLockWrite */,
2901 false /* fMediumLockWriteAll */,
2902 this,
2903 *pMediumLockList);
2904 treeLock.acquire();
2905 autoCaller.add();
2906 if (FAILED(autoCaller.hrc()))
2907 hrc = autoCaller.hrc();
2908 alock.acquire();
2909 if (FAILED(hrc))
2910 {
2911 delete pMediumLockList;
2912 return hrc;
2913 }
2914
2915 alock.release();
2916 autoCaller.release();
2917 treeLock.release();
2918 hrc = pMediumLockList->Lock();
2919 treeLock.acquire();
2920 autoCaller.add();
2921 if (FAILED(autoCaller.hrc()))
2922 hrc = autoCaller.hrc();
2923 alock.acquire();
2924 if (FAILED(hrc))
2925 {
2926 delete pMediumLockList;
2927
2928 return setError(hrc, tr("Could not lock medium when creating diff '%s'"),
2929 diff->i_getLocationFull().c_str());
2930 }
2931
2932 Guid parentMachineRegistry;
2933 if (i_getFirstRegistryMachineId(parentMachineRegistry))
2934 {
2935 /* since this medium has been just created it isn't associated yet */
2936 diff->m->llRegistryIDs.push_back(parentMachineRegistry);
2937 alock.release();
2938 autoCaller.release();
2939 treeLock.release();
2940 diff->i_markRegistriesModified();
2941 treeLock.acquire();
2942 autoCaller.add();
2943 alock.acquire();
2944 }
2945
2946 alock.release();
2947 autoCaller.release();
2948 treeLock.release();
2949
2950 ComObjPtr<Progress> pProgress;
2951
2952 ULONG mediumVariantFlags = 0;
2953
2954 if (aVariant.size())
2955 {
2956 for (size_t i = 0; i < aVariant.size(); i++)
2957 mediumVariantFlags |= (ULONG)aVariant[i];
2958 }
2959
2960 if (mediumVariantFlags & MediumVariant_Formatted)
2961 {
2962 delete pMediumLockList;
2963 return setError(VBOX_E_NOT_SUPPORTED,
2964 tr("Medium variant 'formatted' applies to floppy images only"));
2965 }
2966
2967 hrc = i_createDiffStorage(diff, (MediumVariant_T)mediumVariantFlags, pMediumLockList,
2968 &pProgress, false /* aWait */, true /* aNotify */);
2969 if (FAILED(hrc))
2970 delete pMediumLockList;
2971 else
2972 pProgress.queryInterfaceTo(aProgress.asOutParam());
2973
2974 return hrc;
2975}
2976
2977HRESULT Medium::mergeTo(const ComPtr<IMedium> &aTarget,
2978 ComPtr<IProgress> &aProgress)
2979{
2980 IMedium *aT = aTarget;
2981
2982 ComAssertRet(aT != this, E_INVALIDARG);
2983
2984 ComObjPtr<Medium> pTarget = static_cast<Medium*>(aT);
2985
2986 bool fMergeForward = false;
2987 ComObjPtr<Medium> pParentForTarget;
2988 MediumLockList *pChildrenToReparent = NULL;
2989 MediumLockList *pMediumLockList = NULL;
2990
2991 HRESULT hrc = i_prepareMergeTo(pTarget, NULL, NULL, true, fMergeForward,
2992 pParentForTarget, pChildrenToReparent, pMediumLockList);
2993 if (FAILED(hrc)) return hrc;
2994
2995 ComObjPtr<Progress> pProgress;
2996
2997 hrc = i_mergeTo(pTarget, fMergeForward, pParentForTarget, pChildrenToReparent,
2998 pMediumLockList, &pProgress, false /* aWait */, true /* aNotify */);
2999 if (FAILED(hrc))
3000 i_cancelMergeTo(pChildrenToReparent, pMediumLockList);
3001 else
3002 pProgress.queryInterfaceTo(aProgress.asOutParam());
3003
3004 return hrc;
3005}
3006
3007HRESULT Medium::cloneToBase(const ComPtr<IMedium> &aTarget,
3008 const std::vector<MediumVariant_T> &aVariant,
3009 ComPtr<IProgress> &aProgress)
3010{
3011 return cloneTo(aTarget, aVariant, NULL, aProgress);
3012}
3013
3014HRESULT Medium::cloneTo(const ComPtr<IMedium> &aTarget,
3015 const std::vector<MediumVariant_T> &aVariant,
3016 const ComPtr<IMedium> &aParent,
3017 ComPtr<IProgress> &aProgress)
3018{
3019 /** @todo r=jack: Remove redundancy. Call Medium::resizeAndCloneTo. */
3020
3021 /** @todo r=klaus The code below needs to be double checked with regard
3022 * to lock order violations, it probably causes lock order issues related
3023 * to the AutoCaller usage. */
3024 ComAssertRet(aTarget != this, E_INVALIDARG);
3025
3026 IMedium *aT = aTarget;
3027 ComObjPtr<Medium> pTarget = static_cast<Medium*>(aT);
3028 ComObjPtr<Medium> pParent;
3029 if (aParent)
3030 {
3031 IMedium *aP = aParent;
3032 pParent = static_cast<Medium*>(aP);
3033 }
3034
3035 HRESULT hrc = S_OK;
3036 ComObjPtr<Progress> pProgress;
3037 Medium::Task *pTask = NULL;
3038
3039 try
3040 {
3041 // locking: we need the tree lock first because we access parent pointers
3042 // and we need to write-lock the media involved
3043 uint32_t cHandles = 3;
3044 LockHandle* pHandles[4] = { &m->pVirtualBox->i_getMediaTreeLockHandle(),
3045 this->lockHandle(),
3046 pTarget->lockHandle() };
3047 /* Only add parent to the lock if it is not null */
3048 if (!pParent.isNull())
3049 pHandles[cHandles++] = pParent->lockHandle();
3050 AutoWriteLock alock(cHandles,
3051 pHandles
3052 COMMA_LOCKVAL_SRC_POS);
3053
3054 if ( pTarget->m->state != MediumState_NotCreated
3055 && pTarget->m->state != MediumState_Created)
3056 throw pTarget->i_setStateError();
3057
3058 /* Build the source lock list. */
3059 MediumLockList *pSourceMediumLockList(new MediumLockList());
3060 alock.release();
3061 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
3062 NULL /* pToLockWrite */,
3063 false /* fMediumLockWriteAll */,
3064 NULL,
3065 *pSourceMediumLockList);
3066 alock.acquire();
3067 if (FAILED(hrc))
3068 {
3069 delete pSourceMediumLockList;
3070 throw hrc;
3071 }
3072
3073 /* Build the target lock list (including the to-be parent chain). */
3074 MediumLockList *pTargetMediumLockList(new MediumLockList());
3075 alock.release();
3076 hrc = pTarget->i_createMediumLockList(true /* fFailIfInaccessible */,
3077 pTarget /* pToLockWrite */,
3078 false /* fMediumLockWriteAll */,
3079 pParent,
3080 *pTargetMediumLockList);
3081 alock.acquire();
3082 if (FAILED(hrc))
3083 {
3084 delete pSourceMediumLockList;
3085 delete pTargetMediumLockList;
3086 throw hrc;
3087 }
3088
3089 alock.release();
3090 hrc = pSourceMediumLockList->Lock();
3091 alock.acquire();
3092 if (FAILED(hrc))
3093 {
3094 delete pSourceMediumLockList;
3095 delete pTargetMediumLockList;
3096 throw setError(hrc,
3097 tr("Failed to lock source media '%s'"),
3098 i_getLocationFull().c_str());
3099 }
3100 alock.release();
3101 hrc = pTargetMediumLockList->Lock();
3102 alock.acquire();
3103 if (FAILED(hrc))
3104 {
3105 delete pSourceMediumLockList;
3106 delete pTargetMediumLockList;
3107 throw setError(hrc,
3108 tr("Failed to lock target media '%s'"),
3109 pTarget->i_getLocationFull().c_str());
3110 }
3111
3112 pProgress.createObject();
3113 hrc = pProgress->init(m->pVirtualBox,
3114 static_cast <IMedium *>(this),
3115 BstrFmt(tr("Creating clone medium '%s'"), pTarget->m->strLocationFull.c_str()).raw(),
3116 TRUE /* aCancelable */);
3117 if (FAILED(hrc))
3118 {
3119 delete pSourceMediumLockList;
3120 delete pTargetMediumLockList;
3121 throw hrc;
3122 }
3123
3124 ULONG mediumVariantFlags = 0;
3125
3126 if (aVariant.size())
3127 {
3128 for (size_t i = 0; i < aVariant.size(); i++)
3129 mediumVariantFlags |= (ULONG)aVariant[i];
3130 }
3131
3132 if (mediumVariantFlags & MediumVariant_Formatted)
3133 {
3134 delete pSourceMediumLockList;
3135 delete pTargetMediumLockList;
3136 throw setError(VBOX_E_NOT_SUPPORTED,
3137 tr("Medium variant 'formatted' applies to floppy images only"));
3138 }
3139
3140 /* setup task object to carry out the operation asynchronously */
3141 pTask = new Medium::CloneTask(this, pProgress, pTarget,
3142 (MediumVariant_T)mediumVariantFlags,
3143 pParent, UINT32_MAX, UINT32_MAX,
3144 pSourceMediumLockList, pTargetMediumLockList);
3145 hrc = pTask->hrc();
3146 AssertComRC(hrc);
3147 if (FAILED(hrc))
3148 throw hrc;
3149
3150 if (pTarget->m->state == MediumState_NotCreated)
3151 pTarget->m->state = MediumState_Creating;
3152 }
3153 catch (HRESULT hrcXcpt)
3154 {
3155 hrc = hrcXcpt;
3156 }
3157
3158 if (SUCCEEDED(hrc))
3159 {
3160 hrc = pTask->createThread();
3161 pTask = NULL;
3162 if (SUCCEEDED(hrc))
3163 pProgress.queryInterfaceTo(aProgress.asOutParam());
3164 }
3165 else if (pTask != NULL)
3166 delete pTask;
3167
3168 return hrc;
3169}
3170
3171/**
3172 * This is a helper function that combines the functionality of
3173 * Medium::cloneTo() and Medium::resize(). The target medium will take the
3174 * contents of the calling medium.
3175 *
3176 * @param aTarget Medium to resize and clone to
3177 * @param aLogicalSize Desired size for targer medium
3178 * @param aVariant
3179 * @param aParent
3180 * @param aProgress
3181 * @return HRESULT
3182 */
3183HRESULT Medium::resizeAndCloneTo(const ComPtr<IMedium> &aTarget,
3184 LONG64 aLogicalSize,
3185 const std::vector<MediumVariant_T> &aVariant,
3186 const ComPtr<IMedium> &aParent,
3187 ComPtr<IProgress> &aProgress)
3188{
3189 /* Check for valid args */
3190 ComAssertRet(aTarget != this, E_INVALIDARG);
3191 CheckComArgExpr(aLogicalSize, aLogicalSize >= 0);
3192
3193 /* Convert args to usable/needed types */
3194 IMedium *aT = aTarget;
3195 ComObjPtr<Medium> pTarget = static_cast<Medium*>(aT);
3196 ComObjPtr<Medium> pParent;
3197 if (aParent)
3198 {
3199 IMedium *aP = aParent;
3200 pParent = static_cast<Medium*>(aP);
3201 }
3202
3203 /* Set up variables. Fetch needed data in lockable blocks */
3204 HRESULT hrc = S_OK;
3205 Medium::Task *pTask = NULL;
3206
3207 Utf8Str strSourceName;
3208 {
3209 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
3210 strSourceName = i_getName();
3211 }
3212
3213 uint64_t uTargetExistingSize = 0;
3214 Utf8Str strTargetName;
3215 {
3216 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
3217 uTargetExistingSize = pTarget->i_getLogicalSize();
3218 strTargetName = pTarget->i_getName();
3219 }
3220
3221 /* Set up internal multi-subprocess progress object */
3222 ComObjPtr<Progress> pProgress;
3223 pProgress.createObject();
3224 hrc = pProgress->init(m->pVirtualBox,
3225 static_cast<IMedium*>(this),
3226 BstrFmt(tr("Resizing medium and cloning into it")).raw(),
3227 TRUE, /* aCancelable */
3228 2, /* Number of opearations */
3229 BstrFmt(tr("Resizing medium before clone")).raw()
3230 );
3231 if (FAILED(hrc))
3232 return hrc;
3233
3234 /* If target does not exist, handle resize. */
3235 if (pTarget->m->state != MediumState_NotCreated && aLogicalSize > 0)
3236 {
3237 if ((LONG64)uTargetExistingSize != aLogicalSize) {
3238 if (!i_isMediumFormatFile())
3239 {
3240 hrc = setError(VBOX_E_NOT_SUPPORTED,
3241 tr("Sizes of '%s' and '%s' are different and medium format does not support resing"),
3242 strSourceName.c_str(), strTargetName.c_str());
3243 return hrc;
3244 }
3245
3246 /**
3247 * Need to lock the target medium as i_resize does do so
3248 * automatically.
3249 */
3250
3251 ComPtr<IToken> pToken;
3252 hrc = pTarget->LockWrite(pToken.asOutParam());
3253
3254 if (FAILED(hrc)) return hrc;
3255
3256 /**
3257 * Have to make own lock list, because "resize" method resizes only
3258 * last image in the lock chain.
3259 */
3260
3261 MediumLockList* pMediumLockListForResize = new MediumLockList();
3262 pMediumLockListForResize->Append(pTarget, pTarget->m->state == MediumState_LockedWrite);
3263
3264 hrc = pMediumLockListForResize->Lock(true /* fSkipOverLockedMedia */);
3265 if (FAILED(hrc))
3266 {
3267 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3268 hrc = setError(hrc,
3269 tr("Failed to lock the medium '%s' to resize before merge"),
3270 strTargetName.c_str());
3271 delete pMediumLockListForResize;
3272 return hrc;
3273 }
3274
3275
3276 hrc = pTarget->i_resize((uint64_t)aLogicalSize, pMediumLockListForResize, &pProgress, true, false);
3277 if (FAILED(hrc))
3278 {
3279 /* No need to setError becasue i_resize and i_taskResizeHandler handle this automatically. */
3280 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3281 delete pMediumLockListForResize;
3282 return hrc;
3283 }
3284
3285 delete pMediumLockListForResize;
3286
3287 pTarget->m->logicalSize = (uint64_t)aLogicalSize;
3288
3289 pToken->Abandon();
3290 pToken.setNull();
3291 }
3292 }
3293
3294 /* Report progress to supplied progress argument */
3295 if (SUCCEEDED(hrc))
3296 {
3297 pProgress.queryInterfaceTo(aProgress.asOutParam());
3298 }
3299
3300 try
3301 {
3302 // locking: we need the tree lock first because we access parent pointers
3303 // and we need to write-lock the media involved
3304 uint32_t cHandles = 3;
3305 LockHandle* pHandles[4] = { &m->pVirtualBox->i_getMediaTreeLockHandle(),
3306 this->lockHandle(),
3307 pTarget->lockHandle() };
3308 /* Only add parent to the lock if it is not null */
3309 if (!pParent.isNull())
3310 pHandles[cHandles++] = pParent->lockHandle();
3311 AutoWriteLock alock(cHandles,
3312 pHandles
3313 COMMA_LOCKVAL_SRC_POS);
3314
3315 if ( pTarget->m->state != MediumState_NotCreated
3316 && pTarget->m->state != MediumState_Created)
3317 throw pTarget->i_setStateError();
3318
3319 /* Build the source lock list. */
3320 MediumLockList *pSourceMediumLockList(new MediumLockList());
3321 alock.release();
3322 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
3323 NULL /* pToLockWrite */,
3324 false /* fMediumLockWriteAll */,
3325 NULL,
3326 *pSourceMediumLockList);
3327 alock.acquire();
3328 if (FAILED(hrc))
3329 {
3330 delete pSourceMediumLockList;
3331 throw hrc;
3332 }
3333
3334 /* Build the target lock list (including the to-be parent chain). */
3335 MediumLockList *pTargetMediumLockList(new MediumLockList());
3336 alock.release();
3337 hrc = pTarget->i_createMediumLockList(true /* fFailIfInaccessible */,
3338 pTarget /* pToLockWrite */,
3339 false /* fMediumLockWriteAll */,
3340 pParent,
3341 *pTargetMediumLockList);
3342 alock.acquire();
3343 if (FAILED(hrc))
3344 {
3345 delete pSourceMediumLockList;
3346 delete pTargetMediumLockList;
3347 throw hrc;
3348 }
3349
3350 alock.release();
3351 hrc = pSourceMediumLockList->Lock();
3352 alock.acquire();
3353 if (FAILED(hrc))
3354 {
3355 delete pSourceMediumLockList;
3356 delete pTargetMediumLockList;
3357 throw setError(hrc,
3358 tr("Failed to lock source media '%s'"),
3359 i_getLocationFull().c_str());
3360 }
3361 alock.release();
3362 hrc = pTargetMediumLockList->Lock();
3363 alock.acquire();
3364 if (FAILED(hrc))
3365 {
3366 delete pSourceMediumLockList;
3367 delete pTargetMediumLockList;
3368 throw setError(hrc,
3369 tr("Failed to lock target media '%s'"),
3370 pTarget->i_getLocationFull().c_str());
3371 }
3372
3373 ULONG mediumVariantFlags = 0;
3374
3375 if (aVariant.size())
3376 {
3377 for (size_t i = 0; i < aVariant.size(); i++)
3378 mediumVariantFlags |= (ULONG)aVariant[i];
3379 }
3380
3381 if (mediumVariantFlags & MediumVariant_Formatted)
3382 {
3383 delete pSourceMediumLockList;
3384 delete pTargetMediumLockList;
3385 throw setError(VBOX_E_NOT_SUPPORTED,
3386 tr("Medium variant 'formatted' applies to floppy images only"));
3387 }
3388
3389 if (pTarget->m->state != MediumState_NotCreated || aLogicalSize == 0)
3390 {
3391 /* setup task object to carry out the operation asynchronously */
3392 pTask = new Medium::CloneTask(this, pProgress, pTarget,
3393 (MediumVariant_T)mediumVariantFlags,
3394 pParent, UINT32_MAX, UINT32_MAX,
3395 pSourceMediumLockList, pTargetMediumLockList,
3396 false, false, true, 0);
3397 }
3398 else
3399 {
3400 /* setup task object to carry out the operation asynchronously */
3401 pTask = new Medium::CloneTask(this, pProgress, pTarget,
3402 (MediumVariant_T)mediumVariantFlags,
3403 pParent, UINT32_MAX, UINT32_MAX,
3404 pSourceMediumLockList, pTargetMediumLockList,
3405 false, false, true, (uint64_t)aLogicalSize);
3406 }
3407
3408 hrc = pTask->hrc();
3409 AssertComRC(hrc);
3410 if (FAILED(hrc))
3411 throw hrc;
3412
3413 if (pTarget->m->state == MediumState_NotCreated)
3414 pTarget->m->state = MediumState_Creating;
3415 }
3416 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3417
3418 if (SUCCEEDED(hrc))
3419 {
3420 hrc = pTask->createThread();
3421 pTask = NULL;
3422 if (SUCCEEDED(hrc))
3423 pProgress.queryInterfaceTo(aProgress.asOutParam());
3424 }
3425 else if (pTask != NULL)
3426 delete pTask;
3427
3428 return hrc;
3429}
3430
3431HRESULT Medium::moveTo(AutoCaller &autoCaller, const com::Utf8Str &aLocation, ComPtr<IProgress> &aProgress)
3432{
3433 ComObjPtr<Medium> pParent;
3434 ComObjPtr<Progress> pProgress;
3435 HRESULT hrc = S_OK;
3436 Medium::Task *pTask = NULL;
3437
3438 try
3439 {
3440 /// @todo NEWMEDIA for file names, add the default extension if no extension
3441 /// is present (using the information from the VD backend which also implies
3442 /// that one more parameter should be passed to moveTo() requesting
3443 /// that functionality since it is only allowed when called from this method
3444
3445 /// @todo NEWMEDIA rename the file and set m->location on success, then save
3446 /// the global registry (and local registries of portable VMs referring to
3447 /// this medium), this will also require to add the mRegistered flag to data
3448
3449 autoCaller.release();
3450
3451 // locking: we need the tree lock first because we access parent pointers
3452 // and we need to write-lock the media involved
3453 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
3454
3455 autoCaller.add();
3456 AssertComRCThrowRC(autoCaller.hrc());
3457
3458 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3459
3460 /* play with locations */
3461 {
3462 /* get source path and filename */
3463 Utf8Str sourcePath = i_getLocationFull();
3464 Utf8Str sourceFName = i_getName();
3465
3466 if (aLocation.isEmpty())
3467 {
3468 hrc = setErrorVrc(VERR_PATH_ZERO_LENGTH,
3469 tr("Medium '%s' can't be moved. Destination path is empty."),
3470 i_getLocationFull().c_str());
3471 throw hrc;
3472 }
3473
3474 /* extract destination path and filename */
3475 Utf8Str destPath(aLocation);
3476 Utf8Str destFName(destPath);
3477 destFName.stripPath();
3478
3479 if (destFName.isNotEmpty() && !RTPathHasSuffix(destFName.c_str()))
3480 {
3481 /*
3482 * The target path has no filename: Either "/path/to/new/location" or
3483 * just "newname" (no trailing backslash or there is no filename extension).
3484 */
3485 if (destPath.equals(destFName))
3486 {
3487 /* new path contains only "newname", no path, no extension */
3488 destFName.append(RTPathSuffix(sourceFName.c_str()));
3489 destPath = destFName;
3490 }
3491 else
3492 {
3493 /* new path looks like "/path/to/new/location" */
3494 destFName.setNull();
3495 destPath.append(RTPATH_SLASH);
3496 }
3497 }
3498
3499 if (destFName.isEmpty())
3500 {
3501 /* No target name */
3502 destPath.append(sourceFName);
3503 }
3504 else
3505 {
3506 if (destPath.equals(destFName))
3507 {
3508 /*
3509 * The target path contains of only a filename without a directory.
3510 * Move the medium within the source directory to the new name
3511 * (actually rename operation).
3512 * Scratches sourcePath!
3513 */
3514 destPath = sourcePath.stripFilename().append(RTPATH_SLASH).append(destFName);
3515 }
3516
3517 const char *pszSuffix = RTPathSuffix(sourceFName.c_str());
3518
3519 /* Suffix is empty and one is deduced from the medium format */
3520 if (pszSuffix == NULL)
3521 {
3522 Utf8Str strExt = i_getFormat();
3523 if (strExt.compare("RAW", Utf8Str::CaseInsensitive) == 0)
3524 {
3525 DeviceType_T devType = i_getDeviceType();
3526 switch (devType)
3527 {
3528 case DeviceType_DVD:
3529 strExt = "iso";
3530 break;
3531 case DeviceType_Floppy:
3532 strExt = "img";
3533 break;
3534 default:
3535 hrc = setErrorVrc(VERR_NOT_A_FILE, /** @todo r=bird: Mixing status codes again. */
3536 tr("Medium '%s' has RAW type. \"Move\" operation isn't supported for this type."),
3537 i_getLocationFull().c_str());
3538 throw hrc;
3539 }
3540 }
3541 else if (strExt.compare("Parallels", Utf8Str::CaseInsensitive) == 0)
3542 {
3543 strExt = "hdd";
3544 }
3545
3546 /* Set the target extension like on the source. Any conversions are prohibited */
3547 strExt.toLower();
3548 destPath.stripSuffix().append('.').append(strExt);
3549 }
3550 else
3551 destPath.stripSuffix().append(pszSuffix);
3552 }
3553
3554 /* Simple check for existence */
3555 if (RTFileExists(destPath.c_str()))
3556 throw setError(VBOX_E_FILE_ERROR,
3557 tr("The given path '%s' is an existing file. Delete or rename this file."),
3558 destPath.c_str());
3559
3560 if (!i_isMediumFormatFile())
3561 throw setErrorVrc(VERR_NOT_A_FILE,
3562 tr("Medium '%s' isn't a file object. \"Move\" operation isn't supported."),
3563 i_getLocationFull().c_str());
3564 /* Path must be absolute */
3565 if (!RTPathStartsWithRoot(destPath.c_str()))
3566 throw setError(VBOX_E_FILE_ERROR,
3567 tr("The given path '%s' is not fully qualified"),
3568 destPath.c_str());
3569 /* Check path for a new file object */
3570 hrc = VirtualBox::i_ensureFilePathExists(destPath, true);
3571 if (FAILED(hrc))
3572 throw hrc;
3573
3574 /* Set needed variables for "moving" procedure. It'll be used later in separate thread task */
3575 hrc = i_preparationForMoving(destPath);
3576 if (FAILED(hrc))
3577 throw setErrorVrc(VERR_NO_CHANGE,
3578 tr("Medium '%s' is already in the correct location"),
3579 i_getLocationFull().c_str());
3580 }
3581
3582 /* Check VMs which have this medium attached to*/
3583 std::vector<com::Guid> aMachineIds;
3584 hrc = getMachineIds(aMachineIds);
3585 std::vector<com::Guid>::const_iterator currMachineID = aMachineIds.begin();
3586 std::vector<com::Guid>::const_iterator lastMachineID = aMachineIds.end();
3587
3588 while (currMachineID != lastMachineID)
3589 {
3590 Guid id(*currMachineID);
3591 ComObjPtr<Machine> aMachine;
3592
3593 alock.release();
3594 autoCaller.release();
3595 treeLock.release();
3596 hrc = m->pVirtualBox->i_findMachine(id, false, true, &aMachine);
3597 treeLock.acquire();
3598 autoCaller.add();
3599 AssertComRCThrowRC(autoCaller.hrc());
3600 alock.acquire();
3601
3602 if (SUCCEEDED(hrc))
3603 {
3604 ComObjPtr<SessionMachine> sm;
3605 ComPtr<IInternalSessionControl> ctl;
3606
3607 alock.release();
3608 autoCaller.release();
3609 treeLock.release();
3610 bool ses = aMachine->i_isSessionOpenVM(sm, &ctl);
3611 treeLock.acquire();
3612 autoCaller.add();
3613 AssertComRCThrowRC(autoCaller.hrc());
3614 alock.acquire();
3615
3616 if (ses)
3617 throw setError(VBOX_E_INVALID_VM_STATE,
3618 tr("At least the VM '%s' to whom this medium '%s' attached has currently an opened session. Stop all VMs before relocating this medium"),
3619 id.toString().c_str(), i_getLocationFull().c_str());
3620 }
3621 ++currMachineID;
3622 }
3623
3624 /* Build the source lock list. */
3625 MediumLockList *pMediumLockList(new MediumLockList());
3626 alock.release();
3627 autoCaller.release();
3628 treeLock.release();
3629 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
3630 this /* pToLockWrite */,
3631 true /* fMediumLockWriteAll */,
3632 NULL,
3633 *pMediumLockList);
3634 treeLock.acquire();
3635 autoCaller.add();
3636 AssertComRCThrowRC(autoCaller.hrc());
3637 alock.acquire();
3638 if (FAILED(hrc))
3639 {
3640 delete pMediumLockList;
3641 throw setError(hrc, tr("Failed to create medium lock list for '%s'"), i_getLocationFull().c_str());
3642 }
3643 alock.release();
3644 autoCaller.release();
3645 treeLock.release();
3646 hrc = pMediumLockList->Lock();
3647 treeLock.acquire();
3648 autoCaller.add();
3649 AssertComRCThrowRC(autoCaller.hrc());
3650 alock.acquire();
3651 if (FAILED(hrc))
3652 {
3653 delete pMediumLockList;
3654 throw setError(hrc, tr("Failed to lock media '%s'"), i_getLocationFull().c_str());
3655 }
3656
3657 pProgress.createObject();
3658 hrc = pProgress->init(m->pVirtualBox,
3659 static_cast <IMedium *>(this),
3660 BstrFmt(tr("Moving medium '%s'"), m->strLocationFull.c_str()).raw(),
3661 TRUE /* aCancelable */);
3662
3663 /* Do the disk moving. */
3664 if (SUCCEEDED(hrc))
3665 {
3666 ULONG mediumVariantFlags = i_getVariant();
3667
3668 /* setup task object to carry out the operation asynchronously */
3669 pTask = new Medium::MoveTask(this, pProgress,
3670 (MediumVariant_T)mediumVariantFlags,
3671 pMediumLockList);
3672 hrc = pTask->hrc();
3673 AssertComRC(hrc);
3674 if (FAILED(hrc))
3675 throw hrc;
3676 }
3677
3678 }
3679 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3680
3681 if (SUCCEEDED(hrc))
3682 {
3683 hrc = pTask->createThread();
3684 pTask = NULL;
3685 if (SUCCEEDED(hrc))
3686 pProgress.queryInterfaceTo(aProgress.asOutParam());
3687 }
3688 else
3689 {
3690 if (pTask)
3691 delete pTask;
3692 }
3693
3694 return hrc;
3695}
3696
3697HRESULT Medium::setLocation(const com::Utf8Str &aLocation)
3698{
3699 HRESULT hrc = S_OK;
3700
3701 try
3702 {
3703 // locking: we need the tree lock first because we access parent pointers
3704 // and we need to write-lock the media involved
3705 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
3706
3707 AutoCaller autoCaller(this);
3708 AssertComRCThrowRC(autoCaller.hrc());
3709
3710 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3711
3712 Utf8Str destPath(aLocation);
3713
3714 // some check for file based medium
3715 if (i_isMediumFormatFile())
3716 {
3717 /* Path must be absolute */
3718 if (!RTPathStartsWithRoot(destPath.c_str()))
3719 throw setError(VBOX_E_FILE_ERROR, tr("The given path '%s' is not fully qualified"), destPath.c_str());
3720
3721 /* Simple check for existence */
3722 if (!RTFileExists(destPath.c_str()))
3723 throw setError(VBOX_E_FILE_ERROR,
3724 tr("The given path '%s' is not an existing file. New location is invalid."),
3725 destPath.c_str());
3726 }
3727
3728 /* Check VMs which have this medium attached to*/
3729 std::vector<com::Guid> aMachineIds;
3730 hrc = getMachineIds(aMachineIds);
3731
3732 // switch locks only if there are machines with this medium attached
3733 if (!aMachineIds.empty())
3734 {
3735 std::vector<com::Guid>::const_iterator currMachineID = aMachineIds.begin();
3736 std::vector<com::Guid>::const_iterator lastMachineID = aMachineIds.end();
3737
3738 alock.release();
3739 autoCaller.release();
3740 treeLock.release();
3741
3742 while (currMachineID != lastMachineID)
3743 {
3744 Guid id(*currMachineID);
3745 ComObjPtr<Machine> aMachine;
3746 hrc = m->pVirtualBox->i_findMachine(id, false, true, &aMachine);
3747 if (SUCCEEDED(hrc))
3748 {
3749 ComObjPtr<SessionMachine> sm;
3750 ComPtr<IInternalSessionControl> ctl;
3751
3752 bool ses = aMachine->i_isSessionOpenVM(sm, &ctl);
3753 if (ses)
3754 {
3755 treeLock.acquire();
3756 autoCaller.add();
3757 AssertComRCThrowRC(autoCaller.hrc());
3758 alock.acquire();
3759
3760 throw setError(VBOX_E_INVALID_VM_STATE,
3761 tr("At least the VM '%s' to whom this medium '%s' attached has currently an opened session. Stop all VMs before set location for this medium"),
3762 id.toString().c_str(),
3763 i_getLocationFull().c_str());
3764 }
3765 }
3766 ++currMachineID;
3767 }
3768
3769 treeLock.acquire();
3770 autoCaller.add();
3771 AssertComRCThrowRC(autoCaller.hrc());
3772 alock.acquire();
3773 }
3774
3775 m->strLocationFull = destPath;
3776
3777 // save the settings
3778 alock.release();
3779 autoCaller.release();
3780 treeLock.release();
3781
3782 i_markRegistriesModified();
3783 m->pVirtualBox->i_saveModifiedRegistries();
3784
3785 MediumState_T mediumState;
3786 refreshState(autoCaller, &mediumState);
3787 m->pVirtualBox->i_onMediumConfigChanged(this);
3788 }
3789 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3790
3791 return hrc;
3792}
3793
3794HRESULT Medium::compact(ComPtr<IProgress> &aProgress)
3795{
3796 HRESULT hrc = S_OK;
3797 ComObjPtr<Progress> pProgress;
3798 Medium::Task *pTask = NULL;
3799
3800 try
3801 {
3802 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3803
3804 /* Build the medium lock list. */
3805 MediumLockList *pMediumLockList(new MediumLockList());
3806 alock.release();
3807 hrc = i_createMediumLockList(true /* fFailIfInaccessible */ ,
3808 this /* pToLockWrite */,
3809 false /* fMediumLockWriteAll */,
3810 NULL,
3811 *pMediumLockList);
3812 alock.acquire();
3813 if (FAILED(hrc))
3814 {
3815 delete pMediumLockList;
3816 throw hrc;
3817 }
3818
3819 alock.release();
3820 hrc = pMediumLockList->Lock();
3821 alock.acquire();
3822 if (FAILED(hrc))
3823 {
3824 delete pMediumLockList;
3825 throw setError(hrc,
3826 tr("Failed to lock media when compacting '%s'"),
3827 i_getLocationFull().c_str());
3828 }
3829
3830 pProgress.createObject();
3831 hrc = pProgress->init(m->pVirtualBox,
3832 static_cast <IMedium *>(this),
3833 BstrFmt(tr("Compacting medium '%s'"), m->strLocationFull.c_str()).raw(),
3834 TRUE /* aCancelable */);
3835 if (FAILED(hrc))
3836 {
3837 delete pMediumLockList;
3838 throw hrc;
3839 }
3840
3841 /* setup task object to carry out the operation asynchronously */
3842 pTask = new Medium::CompactTask(this, pProgress, pMediumLockList);
3843 hrc = pTask->hrc();
3844 AssertComRC(hrc);
3845 if (FAILED(hrc))
3846 throw hrc;
3847 }
3848 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3849
3850 if (SUCCEEDED(hrc))
3851 {
3852 hrc = pTask->createThread();
3853 pTask = NULL;
3854 if (SUCCEEDED(hrc))
3855 pProgress.queryInterfaceTo(aProgress.asOutParam());
3856 }
3857 else if (pTask != NULL)
3858 delete pTask;
3859
3860 return hrc;
3861}
3862
3863HRESULT Medium::resize(LONG64 aLogicalSize,
3864 ComPtr<IProgress> &aProgress)
3865{
3866 CheckComArgExpr(aLogicalSize, aLogicalSize > 0);
3867 HRESULT hrc = S_OK;
3868 ComObjPtr<Progress> pProgress;
3869
3870 /* Build the medium lock list. */
3871 MediumLockList *pMediumLockList(new MediumLockList());
3872
3873 try
3874 {
3875 const char *pszError = NULL;
3876
3877 hrc = i_createMediumLockList(true /* fFailIfInaccessible */ ,
3878 this /* pToLockWrite */,
3879 false /* fMediumLockWriteAll */,
3880 NULL,
3881 *pMediumLockList);
3882 if (FAILED(hrc))
3883 pszError = tr("Failed to create medium lock list when resizing '%s'");
3884 else
3885 {
3886 hrc = pMediumLockList->Lock();
3887 if (FAILED(hrc))
3888 pszError = tr("Failed to lock media when resizing '%s'");
3889 }
3890
3891
3892 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3893
3894 if (FAILED(hrc))
3895 {
3896 throw setError(hrc, pszError, i_getLocationFull().c_str());
3897 }
3898
3899 pProgress.createObject();
3900 hrc = pProgress->init(m->pVirtualBox,
3901 static_cast <IMedium *>(this),
3902 BstrFmt(tr("Resizing medium '%s'"), m->strLocationFull.c_str()).raw(),
3903 TRUE /* aCancelable */);
3904 if (FAILED(hrc))
3905 {
3906 throw hrc;
3907 }
3908 }
3909 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3910
3911 if (SUCCEEDED(hrc))
3912 hrc = i_resize((uint64_t)aLogicalSize, pMediumLockList, &pProgress, false /* aWait */, true /* aNotify */);
3913
3914 if (SUCCEEDED(hrc))
3915 pProgress.queryInterfaceTo(aProgress.asOutParam());
3916 else
3917 delete pMediumLockList;
3918
3919 return hrc;
3920}
3921
3922HRESULT Medium::reset(AutoCaller &autoCaller, ComPtr<IProgress> &aProgress)
3923{
3924 HRESULT hrc = S_OK;
3925 ComObjPtr<Progress> pProgress;
3926 Medium::Task *pTask = NULL;
3927
3928 try
3929 {
3930 autoCaller.release();
3931
3932 /* It is possible that some previous/concurrent uninit has already
3933 * cleared the pVirtualBox reference, see #uninit(). */
3934 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
3935
3936 /* i_canClose() needs the tree lock */
3937 AutoMultiWriteLock2 multilock(!pVirtualBox.isNull() ? &pVirtualBox->i_getMediaTreeLockHandle() : NULL,
3938 this->lockHandle()
3939 COMMA_LOCKVAL_SRC_POS);
3940
3941 autoCaller.add();
3942 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
3943
3944 LogFlowThisFunc(("ENTER for medium %s\n", m->strLocationFull.c_str()));
3945
3946 if (m->pParent.isNull())
3947 throw setError(VBOX_E_NOT_SUPPORTED,
3948 tr("Medium type of '%s' is not differencing"),
3949 m->strLocationFull.c_str());
3950
3951 hrc = i_canClose();
3952 if (FAILED(hrc))
3953 throw hrc;
3954
3955 /* Build the medium lock list. */
3956 MediumLockList *pMediumLockList(new MediumLockList());
3957 multilock.release();
3958 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
3959 this /* pToLockWrite */,
3960 false /* fMediumLockWriteAll */,
3961 NULL,
3962 *pMediumLockList);
3963 multilock.acquire();
3964 if (FAILED(hrc))
3965 {
3966 delete pMediumLockList;
3967 throw hrc;
3968 }
3969
3970 multilock.release();
3971 hrc = pMediumLockList->Lock();
3972 multilock.acquire();
3973 if (FAILED(hrc))
3974 {
3975 delete pMediumLockList;
3976 throw setError(hrc,
3977 tr("Failed to lock media when resetting '%s'"),
3978 i_getLocationFull().c_str());
3979 }
3980
3981 pProgress.createObject();
3982 hrc = pProgress->init(m->pVirtualBox,
3983 static_cast<IMedium*>(this),
3984 BstrFmt(tr("Resetting differencing medium '%s'"), m->strLocationFull.c_str()).raw(),
3985 FALSE /* aCancelable */);
3986 if (FAILED(hrc))
3987 throw hrc;
3988
3989 /* setup task object to carry out the operation asynchronously */
3990 pTask = new Medium::ResetTask(this, pProgress, pMediumLockList);
3991 hrc = pTask->hrc();
3992 AssertComRC(hrc);
3993 if (FAILED(hrc))
3994 throw hrc;
3995 }
3996 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
3997
3998 if (SUCCEEDED(hrc))
3999 {
4000 hrc = pTask->createThread();
4001 pTask = NULL;
4002 if (SUCCEEDED(hrc))
4003 pProgress.queryInterfaceTo(aProgress.asOutParam());
4004 }
4005 else if (pTask != NULL)
4006 delete pTask;
4007
4008 LogFlowThisFunc(("LEAVE, hrc=%Rhrc\n", hrc));
4009
4010 return hrc;
4011}
4012
4013HRESULT Medium::changeEncryption(const com::Utf8Str &aCurrentPassword, const com::Utf8Str &aCipher,
4014 const com::Utf8Str &aNewPassword, const com::Utf8Str &aNewPasswordId,
4015 ComPtr<IProgress> &aProgress)
4016{
4017 HRESULT hrc = S_OK;
4018 ComObjPtr<Progress> pProgress;
4019 Medium::Task *pTask = NULL;
4020
4021 try
4022 {
4023 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4024
4025 DeviceType_T devType = i_getDeviceType();
4026 /* Cannot encrypt DVD or floppy images so far. */
4027 if ( devType == DeviceType_DVD
4028 || devType == DeviceType_Floppy)
4029 return setError(VBOX_E_INVALID_OBJECT_STATE,
4030 tr("Cannot encrypt DVD or Floppy medium '%s'"),
4031 m->strLocationFull.c_str());
4032
4033 /* Cannot encrypt media which are attached to more than one virtual machine. */
4034 if (m->backRefs.size() > 1)
4035 return setError(VBOX_E_INVALID_OBJECT_STATE,
4036 tr("Cannot encrypt medium '%s' because it is attached to %d virtual machines", "", m->backRefs.size()),
4037 m->strLocationFull.c_str(), m->backRefs.size());
4038
4039 if (i_getChildren().size() != 0)
4040 return setError(VBOX_E_INVALID_OBJECT_STATE,
4041 tr("Cannot encrypt medium '%s' because it has %d children", "", i_getChildren().size()),
4042 m->strLocationFull.c_str(), i_getChildren().size());
4043
4044 /* Build the medium lock list. */
4045 MediumLockList *pMediumLockList(new MediumLockList());
4046 alock.release();
4047 hrc = i_createMediumLockList(true /* fFailIfInaccessible */ ,
4048 this /* pToLockWrite */,
4049 true /* fMediumLockAllWrite */,
4050 NULL,
4051 *pMediumLockList);
4052 alock.acquire();
4053 if (FAILED(hrc))
4054 {
4055 delete pMediumLockList;
4056 throw hrc;
4057 }
4058
4059 alock.release();
4060 hrc = pMediumLockList->Lock();
4061 alock.acquire();
4062 if (FAILED(hrc))
4063 {
4064 delete pMediumLockList;
4065 throw setError(hrc,
4066 tr("Failed to lock media for encryption '%s'"),
4067 i_getLocationFull().c_str());
4068 }
4069
4070 /*
4071 * Check all media in the chain to not contain any branches or references to
4072 * other virtual machines, we support encrypting only a list of differencing media at the moment.
4073 */
4074 MediumLockList::Base::const_iterator mediumListBegin = pMediumLockList->GetBegin();
4075 MediumLockList::Base::const_iterator mediumListEnd = pMediumLockList->GetEnd();
4076 for (MediumLockList::Base::const_iterator it = mediumListBegin;
4077 it != mediumListEnd;
4078 ++it)
4079 {
4080 const MediumLock &mediumLock = *it;
4081 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
4082 AutoReadLock mediumReadLock(pMedium COMMA_LOCKVAL_SRC_POS);
4083
4084 Assert(pMedium->m->state == MediumState_LockedWrite);
4085
4086 if (pMedium->m->backRefs.size() > 1)
4087 {
4088 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
4089 tr("Cannot encrypt medium '%s' because it is attached to %d virtual machines", "",
4090 pMedium->m->backRefs.size()),
4091 pMedium->m->strLocationFull.c_str(), pMedium->m->backRefs.size());
4092 break;
4093 }
4094 else if (pMedium->i_getChildren().size() > 1)
4095 {
4096 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
4097 tr("Cannot encrypt medium '%s' because it has %d children", "", pMedium->i_getChildren().size()),
4098 pMedium->m->strLocationFull.c_str(), pMedium->i_getChildren().size());
4099 break;
4100 }
4101 }
4102
4103 if (FAILED(hrc))
4104 {
4105 delete pMediumLockList;
4106 throw hrc;
4107 }
4108
4109 const char *pszAction = tr("Encrypting medium");
4110 if ( aCurrentPassword.isNotEmpty()
4111 && aCipher.isEmpty())
4112 pszAction = tr("Decrypting medium");
4113
4114 pProgress.createObject();
4115 hrc = pProgress->init(m->pVirtualBox,
4116 static_cast <IMedium *>(this),
4117 BstrFmt("%s '%s'", pszAction, m->strLocationFull.c_str()).raw(),
4118 TRUE /* aCancelable */);
4119 if (FAILED(hrc))
4120 {
4121 delete pMediumLockList;
4122 throw hrc;
4123 }
4124
4125 /* setup task object to carry out the operation asynchronously */
4126 pTask = new Medium::EncryptTask(this, aNewPassword, aCurrentPassword,
4127 aCipher, aNewPasswordId, pProgress, pMediumLockList);
4128 hrc = pTask->hrc();
4129 AssertComRC(hrc);
4130 if (FAILED(hrc))
4131 throw hrc;
4132 }
4133 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
4134
4135 if (SUCCEEDED(hrc))
4136 {
4137 hrc = pTask->createThread();
4138 pTask = NULL;
4139 if (SUCCEEDED(hrc))
4140 pProgress.queryInterfaceTo(aProgress.asOutParam());
4141 }
4142 else if (pTask != NULL)
4143 delete pTask;
4144
4145 return hrc;
4146}
4147
4148HRESULT Medium::getEncryptionSettings(AutoCaller &autoCaller, com::Utf8Str &aCipher, com::Utf8Str &aPasswordId)
4149{
4150#ifndef VBOX_WITH_EXTPACK
4151 RT_NOREF(aCipher, aPasswordId);
4152#endif
4153 HRESULT hrc = S_OK;
4154
4155 try
4156 {
4157 autoCaller.release();
4158 ComObjPtr<Medium> pBase = i_getBase();
4159 autoCaller.add();
4160 if (FAILED(autoCaller.hrc()))
4161 throw hrc;
4162 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4163
4164 /* Check whether encryption is configured for this medium. */
4165 settings::StringsMap::iterator it = pBase->m->mapProperties.find("CRYPT/KeyStore");
4166 if (it == pBase->m->mapProperties.end())
4167 throw VBOX_E_NOT_SUPPORTED;
4168
4169# ifdef VBOX_WITH_EXTPACK
4170 ExtPackManager *pExtPackManager = m->pVirtualBox->i_getExtPackManager();
4171 if (pExtPackManager->i_isExtPackUsable(ORACLE_PUEL_EXTPACK_NAME))
4172 {
4173 /* Load the plugin */
4174 Utf8Str strPlugin;
4175 hrc = pExtPackManager->i_getLibraryPathForExtPack(g_szVDPlugin, ORACLE_PUEL_EXTPACK_NAME, &strPlugin);
4176 if (SUCCEEDED(hrc))
4177 {
4178 int vrc = VDPluginLoadFromFilename(strPlugin.c_str());
4179 if (RT_FAILURE(vrc))
4180 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
4181 tr("Retrieving encryption settings of the image failed because the encryption plugin could not be loaded (%s)"),
4182 i_vdError(vrc).c_str());
4183 }
4184 else
4185 throw setError(VBOX_E_NOT_SUPPORTED,
4186 tr("Encryption is not supported because the extension pack '%s' is missing the encryption plugin (old extension pack installed?)"),
4187 ORACLE_PUEL_EXTPACK_NAME);
4188 }
4189 else
4190 throw setError(VBOX_E_NOT_SUPPORTED,
4191 tr("Encryption is not supported because the extension pack '%s' is missing"),
4192 ORACLE_PUEL_EXTPACK_NAME);
4193
4194 PVDISK pDisk = NULL;
4195 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &pDisk);
4196 ComAssertRCThrow(vrc, E_FAIL);
4197
4198 MediumCryptoFilterSettings CryptoSettings;
4199
4200 i_taskEncryptSettingsSetup(&CryptoSettings, NULL, it->second.c_str(), NULL, false /* fCreateKeyStore */);
4201 vrc = VDFilterAdd(pDisk, "CRYPT", VD_FILTER_FLAGS_READ | VD_FILTER_FLAGS_INFO, CryptoSettings.vdFilterIfaces);
4202 if (RT_FAILURE(vrc))
4203 throw setErrorBoth(VBOX_E_INVALID_OBJECT_STATE, vrc,
4204 tr("Failed to load the encryption filter: %s"),
4205 i_vdError(vrc).c_str());
4206
4207 it = pBase->m->mapProperties.find("CRYPT/KeyId");
4208 if (it == pBase->m->mapProperties.end())
4209 throw setError(VBOX_E_INVALID_OBJECT_STATE,
4210 tr("Image is configured for encryption but doesn't has a KeyId set"));
4211
4212 aPasswordId = it->second.c_str();
4213 aCipher = CryptoSettings.pszCipherReturned;
4214 RTStrFree(CryptoSettings.pszCipherReturned);
4215
4216 VDDestroy(pDisk);
4217# else
4218 throw setError(VBOX_E_NOT_SUPPORTED,
4219 tr("Encryption is not supported because extension pack support is not built in"));
4220# endif
4221 }
4222 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
4223
4224 return hrc;
4225}
4226
4227HRESULT Medium::checkEncryptionPassword(const com::Utf8Str &aPassword)
4228{
4229 HRESULT hrc = S_OK;
4230
4231 try
4232 {
4233 ComObjPtr<Medium> pBase = i_getBase();
4234 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4235
4236 settings::StringsMap::iterator it = pBase->m->mapProperties.find("CRYPT/KeyStore");
4237 if (it == pBase->m->mapProperties.end())
4238 throw setError(VBOX_E_NOT_SUPPORTED,
4239 tr("The image is not configured for encryption"));
4240
4241 if (aPassword.isEmpty())
4242 throw setError(E_INVALIDARG,
4243 tr("The given password must not be empty"));
4244
4245# ifdef VBOX_WITH_EXTPACK
4246 ExtPackManager *pExtPackManager = m->pVirtualBox->i_getExtPackManager();
4247 if (pExtPackManager->i_isExtPackUsable(ORACLE_PUEL_EXTPACK_NAME))
4248 {
4249 /* Load the plugin */
4250 Utf8Str strPlugin;
4251 hrc = pExtPackManager->i_getLibraryPathForExtPack(g_szVDPlugin, ORACLE_PUEL_EXTPACK_NAME, &strPlugin);
4252 if (SUCCEEDED(hrc))
4253 {
4254 int vrc = VDPluginLoadFromFilename(strPlugin.c_str());
4255 if (RT_FAILURE(vrc))
4256 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
4257 tr("Retrieving encryption settings of the image failed because the encryption plugin could not be loaded (%s)"),
4258 i_vdError(vrc).c_str());
4259 }
4260 else
4261 throw setError(VBOX_E_NOT_SUPPORTED,
4262 tr("Encryption is not supported because the extension pack '%s' is missing the encryption plugin (old extension pack installed?)"),
4263 ORACLE_PUEL_EXTPACK_NAME);
4264 }
4265 else
4266 throw setError(VBOX_E_NOT_SUPPORTED,
4267 tr("Encryption is not supported because the extension pack '%s' is missing"),
4268 ORACLE_PUEL_EXTPACK_NAME);
4269
4270 PVDISK pDisk = NULL;
4271 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &pDisk);
4272 ComAssertRCThrow(vrc, E_FAIL);
4273
4274 MediumCryptoFilterSettings CryptoSettings;
4275
4276 i_taskEncryptSettingsSetup(&CryptoSettings, NULL, it->second.c_str(), aPassword.c_str(),
4277 false /* fCreateKeyStore */);
4278 vrc = VDFilterAdd(pDisk, "CRYPT", VD_FILTER_FLAGS_READ, CryptoSettings.vdFilterIfaces);
4279 if (vrc == VERR_VD_PASSWORD_INCORRECT)
4280 throw setError(VBOX_E_PASSWORD_INCORRECT,
4281 tr("The given password is incorrect"));
4282 else if (RT_FAILURE(vrc))
4283 throw setErrorBoth(VBOX_E_INVALID_OBJECT_STATE, vrc,
4284 tr("Failed to load the encryption filter: %s"),
4285 i_vdError(vrc).c_str());
4286
4287 VDDestroy(pDisk);
4288# else
4289 throw setError(VBOX_E_NOT_SUPPORTED,
4290 tr("Encryption is not supported because extension pack support is not built in"));
4291# endif
4292 }
4293 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
4294
4295 return hrc;
4296}
4297
4298HRESULT Medium::openForIO(BOOL aWritable, com::Utf8Str const &aPassword, ComPtr<IMediumIO> &aMediumIO)
4299{
4300 /*
4301 * Input validation.
4302 */
4303 if (aWritable && i_isReadOnly())
4304 return setError(E_ACCESSDENIED, tr("Write access denied: read-only"));
4305
4306 com::Utf8Str const strKeyId = i_getKeyId();
4307 if (strKeyId.isEmpty() && aPassword.isNotEmpty())
4308 return setError(E_INVALIDARG, tr("Password given for unencrypted medium"));
4309 if (strKeyId.isNotEmpty() && aPassword.isEmpty())
4310 return setError(E_INVALIDARG, tr("Password needed for encrypted medium"));
4311
4312 /*
4313 * Create IO object and return it.
4314 */
4315 ComObjPtr<MediumIO> ptrIO;
4316 HRESULT hrc = ptrIO.createObject();
4317 if (SUCCEEDED(hrc))
4318 {
4319 hrc = ptrIO->initForMedium(this, m->pVirtualBox, aWritable != FALSE, strKeyId, aPassword);
4320 if (SUCCEEDED(hrc))
4321 ptrIO.queryInterfaceTo(aMediumIO.asOutParam());
4322 }
4323 return hrc;
4324}
4325
4326
4327////////////////////////////////////////////////////////////////////////////////
4328//
4329// Medium public internal methods
4330//
4331////////////////////////////////////////////////////////////////////////////////
4332
4333/**
4334 * Internal method to return the medium's parent medium. Must have caller + locking!
4335 * @return
4336 */
4337const ComObjPtr<Medium>& Medium::i_getParent() const
4338{
4339 return m->pParent;
4340}
4341
4342/**
4343 * Internal method to return the medium's list of child media. Must have caller + locking!
4344 * @return
4345 */
4346const MediaList& Medium::i_getChildren() const
4347{
4348 return m->llChildren;
4349}
4350
4351/**
4352 * Internal method to return the medium's GUID. Must have caller + locking!
4353 * @return
4354 */
4355const Guid& Medium::i_getId() const
4356{
4357 return m->id;
4358}
4359
4360/**
4361 * Internal method to return the medium's state. Must have caller + locking!
4362 * @return
4363 */
4364MediumState_T Medium::i_getState() const
4365{
4366 return m->state;
4367}
4368
4369/**
4370 * Internal method to return the medium's variant. Must have caller + locking!
4371 * @return
4372 */
4373MediumVariant_T Medium::i_getVariant() const
4374{
4375 return m->variant;
4376}
4377
4378/**
4379 * Internal method which returns true if this medium represents a host drive.
4380 * @return
4381 */
4382bool Medium::i_isHostDrive() const
4383{
4384 return m->hostDrive;
4385}
4386
4387/**
4388 * Internal method which returns true if this medium is in the process of being closed.
4389 * @return
4390 */
4391bool Medium::i_isClosing() const
4392{
4393 return m->fClosing;
4394}
4395
4396/**
4397 * Internal method to return the medium's full location. Must have caller + locking!
4398 * @return
4399 */
4400const Utf8Str& Medium::i_getLocationFull() const
4401{
4402 return m->strLocationFull;
4403}
4404
4405/**
4406 * Internal method to return the medium's format string. Must have caller + locking!
4407 * @return
4408 */
4409const Utf8Str& Medium::i_getFormat() const
4410{
4411 return m->strFormat;
4412}
4413
4414/**
4415 * Internal method to return the medium's format object. Must have caller + locking!
4416 * @return
4417 */
4418const ComObjPtr<MediumFormat>& Medium::i_getMediumFormat() const
4419{
4420 return m->formatObj;
4421}
4422
4423/**
4424 * Internal method that returns true if the medium is represented by a file on the host disk
4425 * (and not iSCSI or something).
4426 * @return
4427 */
4428bool Medium::i_isMediumFormatFile() const
4429{
4430 if ( m->formatObj
4431 && (m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File)
4432 )
4433 return true;
4434 return false;
4435}
4436
4437/**
4438 * Internal method to return the medium's size. Must have caller + locking!
4439 * @return
4440 */
4441uint64_t Medium::i_getSize() const
4442{
4443 return m->size;
4444}
4445
4446/**
4447 * Internal method to return the medium's size. Must have caller + locking!
4448 * @return
4449 */
4450uint64_t Medium::i_getLogicalSize() const
4451{
4452 return m->logicalSize;
4453}
4454
4455/**
4456 * Returns the medium device type. Must have caller + locking!
4457 * @return
4458 */
4459DeviceType_T Medium::i_getDeviceType() const
4460{
4461 return m->devType;
4462}
4463
4464/**
4465 * Returns the medium type. Must have caller + locking!
4466 * @return
4467 */
4468MediumType_T Medium::i_getType() const
4469{
4470 return m->type;
4471}
4472
4473/**
4474 * Returns a short version of the location attribute.
4475 *
4476 * @note Must be called from under this object's read or write lock.
4477 */
4478Utf8Str Medium::i_getName()
4479{
4480 Utf8Str name = RTPathFilename(m->strLocationFull.c_str());
4481 return name;
4482}
4483
4484/**
4485 * Same as i_addRegistry() except that we don't check the object state, making
4486 * it safe to call with initFromSettings() on the call stack.
4487 */
4488bool Medium::i_addRegistryNoCallerCheck(const Guid &id)
4489{
4490 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4491
4492 bool fAdd = true;
4493
4494 // hard disks cannot be in more than one registry
4495 if ( m->devType == DeviceType_HardDisk
4496 && m->llRegistryIDs.size() > 0)
4497 fAdd = false;
4498
4499 // no need to add the UUID twice
4500 if (fAdd)
4501 {
4502 for (GuidList::const_iterator it = m->llRegistryIDs.begin();
4503 it != m->llRegistryIDs.end();
4504 ++it)
4505 {
4506 if ((*it) == id)
4507 {
4508 fAdd = false;
4509 break;
4510 }
4511 }
4512 }
4513
4514 if (fAdd)
4515 m->llRegistryIDs.push_back(id);
4516
4517 return fAdd;
4518}
4519
4520/**
4521 * This adds the given UUID to the list of media registries in which this
4522 * medium should be registered. The UUID can either be a machine UUID,
4523 * to add a machine registry, or the global registry UUID as returned by
4524 * VirtualBox::getGlobalRegistryId().
4525 *
4526 * Note that for hard disks, this method does nothing if the medium is
4527 * already in another registry to avoid having hard disks in more than
4528 * one registry, which causes trouble with keeping diff images in sync.
4529 * See getFirstRegistryMachineId() for details.
4530 *
4531 * @param id
4532 * @return true if the registry was added; false if the given id was already on the list.
4533 */
4534bool Medium::i_addRegistry(const Guid &id)
4535{
4536 AutoCaller autoCaller(this);
4537 if (FAILED(autoCaller.hrc()))
4538 return false;
4539 return i_addRegistryNoCallerCheck(id);
4540}
4541
4542/**
4543 * This adds the given UUID to the list of media registries in which this
4544 * medium should be registered. The UUID can either be a machine UUID,
4545 * to add a machine registry, or the global registry UUID as returned by
4546 * VirtualBox::getGlobalRegistryId(). Thisis applied to all children.
4547 *
4548 * Note that for hard disks, this method does nothing if the medium is
4549 * already in another registry to avoid having hard disks in more than
4550 * one registry, which causes trouble with keeping diff images in sync.
4551 * See getFirstRegistryMachineId() for details.
4552 *
4553 * @note the caller must hold the media tree lock for reading.
4554 *
4555 * @param id
4556 * @return true if the registry was added; false if the given id was already on the list.
4557 */
4558bool Medium::i_addRegistryAll(const Guid &id)
4559{
4560 MediaList llMediaTodo;
4561 llMediaTodo.push_back(this);
4562
4563 bool fAdd = false;
4564
4565 while (!llMediaTodo.empty())
4566 {
4567 ComObjPtr<Medium> pMedium = llMediaTodo.front();
4568 llMediaTodo.pop_front();
4569
4570 AutoCaller mediumCaller(pMedium);
4571 if (FAILED(mediumCaller.hrc())) continue;
4572
4573 fAdd |= pMedium->i_addRegistryNoCallerCheck(id);
4574
4575 // protected by the medium tree lock held by our original caller
4576 MediaList::const_iterator itBegin = pMedium->i_getChildren().begin();
4577 MediaList::const_iterator itEnd = pMedium->i_getChildren().end();
4578 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
4579 llMediaTodo.push_back(*it);
4580 }
4581
4582 return fAdd;
4583}
4584
4585/**
4586 * Removes the given UUID from the list of media registry UUIDs of this medium.
4587 *
4588 * @param id
4589 * @return true if the UUID was found or false if not.
4590 */
4591bool Medium::i_removeRegistry(const Guid &id)
4592{
4593 AutoCaller autoCaller(this);
4594 if (FAILED(autoCaller.hrc()))
4595 return false;
4596 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4597
4598 bool fRemove = false;
4599
4600 /// @todo r=klaus eliminate this code, replace it by using find.
4601 for (GuidList::iterator it = m->llRegistryIDs.begin();
4602 it != m->llRegistryIDs.end();
4603 ++it)
4604 {
4605 if ((*it) == id)
4606 {
4607 // getting away with this as the iterator isn't used after
4608 m->llRegistryIDs.erase(it);
4609 fRemove = true;
4610 break;
4611 }
4612 }
4613
4614 return fRemove;
4615}
4616
4617/**
4618 * Removes the given UUID from the list of media registry UUIDs, for this
4619 * medium and all its children.
4620 *
4621 * @note the caller must hold the media tree lock for reading.
4622 *
4623 * @param id
4624 * @return true if the UUID was found or false if not.
4625 */
4626bool Medium::i_removeRegistryAll(const Guid &id)
4627{
4628 MediaList llMediaTodo;
4629 llMediaTodo.push_back(this);
4630
4631 bool fRemove = false;
4632
4633 while (!llMediaTodo.empty())
4634 {
4635 ComObjPtr<Medium> pMedium = llMediaTodo.front();
4636 llMediaTodo.pop_front();
4637
4638 AutoCaller mediumCaller(pMedium);
4639 if (FAILED(mediumCaller.hrc())) continue;
4640
4641 fRemove |= pMedium->i_removeRegistry(id);
4642
4643 // protected by the medium tree lock held by our original caller
4644 MediaList::const_iterator itBegin = pMedium->i_getChildren().begin();
4645 MediaList::const_iterator itEnd = pMedium->i_getChildren().end();
4646 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
4647 llMediaTodo.push_back(*it);
4648 }
4649
4650 return fRemove;
4651}
4652
4653/**
4654 * Returns true if id is in the list of media registries for this medium.
4655 *
4656 * Must have caller + read locking!
4657 *
4658 * @param id
4659 * @return
4660 */
4661bool Medium::i_isInRegistry(const Guid &id)
4662{
4663 /// @todo r=klaus eliminate this code, replace it by using find.
4664 for (GuidList::const_iterator it = m->llRegistryIDs.begin();
4665 it != m->llRegistryIDs.end();
4666 ++it)
4667 {
4668 if (*it == id)
4669 return true;
4670 }
4671
4672 return false;
4673}
4674
4675/**
4676 * Internal method to return the medium's first registry machine (i.e. the machine in whose
4677 * machine XML this medium is listed).
4678 *
4679 * Every attached medium must now (4.0) reside in at least one media registry, which is identified
4680 * by a UUID. This is either a machine UUID if the machine is from 4.0 or newer, in which case
4681 * machines have their own media registries, or it is the pseudo-UUID of the VirtualBox
4682 * object if the machine is old and still needs the global registry in VirtualBox.xml.
4683 *
4684 * By definition, hard disks may only be in one media registry, in which all its children
4685 * will be stored as well. Otherwise we run into problems with having keep multiple registries
4686 * in sync. (This is the "cloned VM" case in which VM1 may link to the disks of VM2; in this
4687 * case, only VM2's registry is used for the disk in question.)
4688 *
4689 * If there is no medium registry, particularly if the medium has not been attached yet, this
4690 * does not modify uuid and returns false.
4691 *
4692 * ISOs and RAWs, by contrast, can be in more than one repository to make things easier for
4693 * the user.
4694 *
4695 * Must have caller + locking!
4696 *
4697 * @param uuid Receives first registry machine UUID, if available.
4698 * @return true if uuid was set.
4699 */
4700bool Medium::i_getFirstRegistryMachineId(Guid &uuid) const
4701{
4702 if (m->llRegistryIDs.size())
4703 {
4704 uuid = m->llRegistryIDs.front();
4705 return true;
4706 }
4707 return false;
4708}
4709
4710/**
4711 * Marks all the registries in which this medium is registered as modified.
4712 */
4713void Medium::i_markRegistriesModified()
4714{
4715 AutoCaller autoCaller(this);
4716 if (FAILED(autoCaller.hrc())) return;
4717
4718 // Get local copy, as keeping the lock over VirtualBox::markRegistryModified
4719 // causes trouble with the lock order
4720 GuidList llRegistryIDs;
4721 {
4722 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4723 llRegistryIDs = m->llRegistryIDs;
4724 }
4725
4726 autoCaller.release();
4727
4728 /* Save the error information now, the implicit restore when this goes
4729 * out of scope will throw away spurious additional errors created below. */
4730 ErrorInfoKeeper eik;
4731 for (GuidList::const_iterator it = llRegistryIDs.begin();
4732 it != llRegistryIDs.end();
4733 ++it)
4734 {
4735 m->pVirtualBox->i_markRegistryModified(*it);
4736 }
4737}
4738
4739/**
4740 * Adds the given machine and optionally the snapshot to the list of the objects
4741 * this medium is attached to.
4742 *
4743 * @param aMachineId Machine ID.
4744 * @param aSnapshotId Snapshot ID; when non-empty, adds a snapshot attachment.
4745 */
4746HRESULT Medium::i_addBackReference(const Guid &aMachineId,
4747 const Guid &aSnapshotId /*= Guid::Empty*/)
4748{
4749 AssertReturn(aMachineId.isValid(), E_FAIL);
4750
4751 LogFlowThisFunc(("ENTER, aMachineId: {%RTuuid}, aSnapshotId: {%RTuuid}\n", aMachineId.raw(), aSnapshotId.raw()));
4752
4753 AutoCaller autoCaller(this);
4754 AssertComRCReturnRC(autoCaller.hrc());
4755
4756 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4757
4758 switch (m->state)
4759 {
4760 case MediumState_Created:
4761 case MediumState_Inaccessible:
4762 case MediumState_LockedRead:
4763 case MediumState_LockedWrite:
4764 break;
4765
4766 default:
4767 return i_setStateError();
4768 }
4769
4770 if (m->numCreateDiffTasks > 0)
4771 return setError(VBOX_E_OBJECT_IN_USE,
4772 tr("Cannot attach medium '%s' {%RTuuid}: %u differencing child media are being created", "",
4773 m->numCreateDiffTasks),
4774 m->strLocationFull.c_str(),
4775 m->id.raw(),
4776 m->numCreateDiffTasks);
4777
4778 BackRefList::iterator it = std::find_if(m->backRefs.begin(),
4779 m->backRefs.end(),
4780 BackRef::EqualsTo(aMachineId));
4781 if (it == m->backRefs.end())
4782 {
4783 BackRef ref(aMachineId, aSnapshotId);
4784 m->backRefs.push_back(ref);
4785
4786 return S_OK;
4787 }
4788 bool fDvd = false;
4789 {
4790 AutoReadLock arlock(this COMMA_LOCKVAL_SRC_POS);
4791 /*
4792 * Check the medium is DVD and readonly. It's for the case if DVD
4793 * will be able to be writable sometime in the future.
4794 */
4795 fDvd = m->type == MediumType_Readonly && m->devType == DeviceType_DVD;
4796 }
4797
4798 // if the caller has not supplied a snapshot ID, then we're attaching
4799 // to a machine a medium which represents the machine's current state,
4800 // so set the flag
4801
4802 if (aSnapshotId.isZero())
4803 {
4804 // Allow DVD having MediumType_Readonly to be attached twice.
4805 // (the medium already had been added to back reference)
4806 if (fDvd)
4807 {
4808 it->iRefCnt++;
4809 return S_OK;
4810 }
4811
4812 /* sanity: no duplicate attachments */
4813 if (it->fInCurState)
4814 return setError(VBOX_E_OBJECT_IN_USE,
4815 tr("Cannot attach medium '%s' {%RTuuid}: medium is already associated with the current state of machine uuid {%RTuuid}!"),
4816 m->strLocationFull.c_str(),
4817 m->id.raw(),
4818 aMachineId.raw());
4819 it->fInCurState = true;
4820
4821 return S_OK;
4822 }
4823
4824 // otherwise: a snapshot medium is being attached
4825
4826 /* sanity: no duplicate attachments */
4827 for (std::list<SnapshotRef>::iterator jt = it->llSnapshotIds.begin();
4828 jt != it->llSnapshotIds.end();
4829 ++jt)
4830 {
4831 const Guid &idOldSnapshot = jt->snapshotId;
4832
4833 if (idOldSnapshot == aSnapshotId)
4834 {
4835 if (fDvd)
4836 {
4837 jt->iRefCnt++;
4838 return S_OK;
4839 }
4840#ifdef DEBUG
4841 i_dumpBackRefs();
4842#endif
4843 return setError(VBOX_E_OBJECT_IN_USE,
4844 tr("Cannot attach medium '%s' {%RTuuid} from snapshot '%RTuuid': medium is already in use by this snapshot!"),
4845 m->strLocationFull.c_str(),
4846 m->id.raw(),
4847 aSnapshotId.raw());
4848 }
4849 }
4850
4851 it->llSnapshotIds.push_back(SnapshotRef(aSnapshotId));
4852 // Do not touch fInCurState, as the image may be attached to the current
4853 // state *and* a snapshot, otherwise we lose the current state association!
4854
4855 LogFlowThisFuncLeave();
4856
4857 return S_OK;
4858}
4859
4860/**
4861 * Removes the given machine and optionally the snapshot from the list of the
4862 * objects this medium is attached to.
4863 *
4864 * @param aMachineId Machine ID.
4865 * @param aSnapshotId Snapshot ID; when non-empty, removes the snapshot
4866 * attachment.
4867 */
4868HRESULT Medium::i_removeBackReference(const Guid &aMachineId,
4869 const Guid &aSnapshotId /*= Guid::Empty*/)
4870{
4871 AssertReturn(aMachineId.isValid(), E_FAIL);
4872
4873 AutoCaller autoCaller(this);
4874 AssertComRCReturnRC(autoCaller.hrc());
4875
4876 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4877
4878 BackRefList::iterator it =
4879 std::find_if(m->backRefs.begin(), m->backRefs.end(),
4880 BackRef::EqualsTo(aMachineId));
4881 AssertReturn(it != m->backRefs.end(), E_FAIL);
4882
4883 if (aSnapshotId.isZero())
4884 {
4885 it->iRefCnt--;
4886 if (it->iRefCnt > 0)
4887 return S_OK;
4888
4889 /* remove the current state attachment */
4890 it->fInCurState = false;
4891 }
4892 else
4893 {
4894 /* remove the snapshot attachment */
4895 std::list<SnapshotRef>::iterator jt =
4896 std::find_if(it->llSnapshotIds.begin(),
4897 it->llSnapshotIds.end(),
4898 SnapshotRef::EqualsTo(aSnapshotId));
4899
4900 AssertReturn(jt != it->llSnapshotIds.end(), E_FAIL);
4901
4902 jt->iRefCnt--;
4903 if (jt->iRefCnt > 0)
4904 return S_OK;
4905
4906 it->llSnapshotIds.erase(jt);
4907 }
4908
4909 /* if the backref becomes empty, remove it */
4910 if (it->fInCurState == false && it->llSnapshotIds.size() == 0)
4911 m->backRefs.erase(it);
4912
4913 return S_OK;
4914}
4915
4916/**
4917 * Internal method to return the medium's list of backrefs. Must have caller + locking!
4918 * @return
4919 */
4920const Guid* Medium::i_getFirstMachineBackrefId() const
4921{
4922 if (!m->backRefs.size())
4923 return NULL;
4924
4925 return &m->backRefs.front().machineId;
4926}
4927
4928/**
4929 * Internal method which returns a machine that either this medium or one of its children
4930 * is attached to. This is used for finding a replacement media registry when an existing
4931 * media registry is about to be deleted in VirtualBox::unregisterMachine().
4932 *
4933 * Must have caller + locking, *and* caller must hold the media tree lock!
4934 * @param aId Id to ignore when looking for backrefs.
4935 * @return
4936 */
4937const Guid* Medium::i_getAnyMachineBackref(const Guid &aId) const
4938{
4939 std::list<const Medium *> llMediaTodo;
4940 llMediaTodo.push_back(this);
4941
4942 while (!llMediaTodo.empty())
4943 {
4944 const Medium *pMedium = llMediaTodo.front();
4945 llMediaTodo.pop_front();
4946
4947 if (pMedium->m->backRefs.size())
4948 {
4949 if (pMedium->m->backRefs.front().machineId != aId)
4950 return &pMedium->m->backRefs.front().machineId;
4951 if (pMedium->m->backRefs.size() > 1)
4952 {
4953 BackRefList::const_iterator it = pMedium->m->backRefs.begin();
4954 ++it;
4955 return &it->machineId;
4956 }
4957 }
4958
4959 MediaList::const_iterator itBegin = pMedium->i_getChildren().begin();
4960 MediaList::const_iterator itEnd = pMedium->i_getChildren().end();
4961 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
4962 llMediaTodo.push_back(*it);
4963 }
4964
4965 return NULL;
4966}
4967
4968const Guid* Medium::i_getFirstMachineBackrefSnapshotId() const
4969{
4970 if (!m->backRefs.size())
4971 return NULL;
4972
4973 const BackRef &ref = m->backRefs.front();
4974 if (ref.llSnapshotIds.empty())
4975 return NULL;
4976
4977 return &ref.llSnapshotIds.front().snapshotId;
4978}
4979
4980size_t Medium::i_getMachineBackRefCount() const
4981{
4982 return m->backRefs.size();
4983}
4984
4985#ifdef DEBUG
4986/**
4987 * Debugging helper that gets called after VirtualBox initialization that writes all
4988 * machine backreferences to the debug log.
4989 */
4990void Medium::i_dumpBackRefs()
4991{
4992 AutoCaller autoCaller(this);
4993 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4994
4995 LogFlowThisFunc(("Dumping backrefs for medium '%s':\n", m->strLocationFull.c_str()));
4996
4997 for (BackRefList::iterator it2 = m->backRefs.begin();
4998 it2 != m->backRefs.end();
4999 ++it2)
5000 {
5001 const BackRef &ref = *it2;
5002 LogFlowThisFunc((" Backref from machine {%RTuuid} (fInCurState: %d, iRefCnt: %d)\n", ref.machineId.raw(), ref.fInCurState, ref.iRefCnt));
5003
5004 for (std::list<SnapshotRef>::const_iterator jt2 = it2->llSnapshotIds.begin();
5005 jt2 != it2->llSnapshotIds.end();
5006 ++jt2)
5007 {
5008 const Guid &id = jt2->snapshotId;
5009 LogFlowThisFunc((" Backref from snapshot {%RTuuid} (iRefCnt = %d)\n", id.raw(), jt2->iRefCnt));
5010 }
5011 }
5012}
5013#endif
5014
5015/**
5016 * Checks if the given change of \a aOldPath to \a aNewPath affects the location
5017 * of this media and updates it if necessary to reflect the new location.
5018 *
5019 * @param strOldPath Old path (full).
5020 * @param strNewPath New path (full).
5021 *
5022 * @note Locks this object for writing.
5023 */
5024HRESULT Medium::i_updatePath(const Utf8Str &strOldPath, const Utf8Str &strNewPath)
5025{
5026 AssertReturn(!strOldPath.isEmpty(), E_FAIL);
5027 AssertReturn(!strNewPath.isEmpty(), E_FAIL);
5028
5029 AutoCaller autoCaller(this);
5030 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5031
5032 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5033
5034 LogFlowThisFunc(("locationFull.before='%s'\n", m->strLocationFull.c_str()));
5035
5036 const char *pcszMediumPath = m->strLocationFull.c_str();
5037
5038 if (RTPathStartsWith(pcszMediumPath, strOldPath.c_str()))
5039 {
5040 Utf8Str newPath(strNewPath);
5041 newPath.append(pcszMediumPath + strOldPath.length());
5042 unconst(m->strLocationFull) = newPath;
5043
5044 m->pVirtualBox->i_onMediumConfigChanged(this);
5045
5046 LogFlowThisFunc(("locationFull.after='%s'\n", m->strLocationFull.c_str()));
5047 // we changed something
5048 return S_OK;
5049 }
5050
5051 // no change was necessary, signal error which the caller needs to interpret
5052 return VBOX_E_FILE_ERROR;
5053}
5054
5055/**
5056 * Returns the base medium of the media chain this medium is part of.
5057 *
5058 * The base medium is found by walking up the parent-child relationship axis.
5059 * If the medium doesn't have a parent (i.e. it's a base medium), it
5060 * returns itself in response to this method.
5061 *
5062 * @param aLevel Where to store the number of ancestors of this medium
5063 * (zero for the base), may be @c NULL.
5064 *
5065 * @note Locks medium tree for reading.
5066 */
5067ComObjPtr<Medium> Medium::i_getBase(uint32_t *aLevel /*= NULL*/)
5068{
5069 ComObjPtr<Medium> pBase;
5070
5071 /* it is possible that some previous/concurrent uninit has already cleared
5072 * the pVirtualBox reference, and in this case we don't need to continue */
5073 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
5074 if (!pVirtualBox)
5075 return pBase;
5076
5077 /* we access m->pParent */
5078 AutoReadLock treeLock(pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5079
5080 AutoCaller autoCaller(this);
5081 AssertReturn(autoCaller.isOk(), pBase);
5082
5083 pBase = this;
5084 uint32_t level = 0;
5085
5086 if (m->pParent)
5087 {
5088 for (;;)
5089 {
5090 AutoCaller baseCaller(pBase);
5091 AssertReturn(baseCaller.isOk(), pBase);
5092
5093 if (pBase->m->pParent.isNull())
5094 break;
5095
5096 pBase = pBase->m->pParent;
5097 ++level;
5098 }
5099 }
5100
5101 if (aLevel != NULL)
5102 *aLevel = level;
5103
5104 return pBase;
5105}
5106
5107/**
5108 * Returns the depth of this medium in the media chain.
5109 *
5110 * @note Locks medium tree for reading.
5111 */
5112uint32_t Medium::i_getDepth()
5113{
5114 /* it is possible that some previous/concurrent uninit has already cleared
5115 * the pVirtualBox reference, and in this case we don't need to continue */
5116 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
5117 if (!pVirtualBox)
5118 return 1;
5119
5120 /* we access m->pParent */
5121 AutoReadLock treeLock(pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5122
5123 uint32_t cDepth = 0;
5124 ComObjPtr<Medium> pMedium(this);
5125 while (!pMedium.isNull())
5126 {
5127 AutoCaller autoCaller(this);
5128 AssertReturn(autoCaller.isOk(), cDepth + 1);
5129
5130 pMedium = pMedium->m->pParent;
5131 cDepth++;
5132 }
5133
5134 return cDepth;
5135}
5136
5137/**
5138 * Returns @c true if this medium cannot be modified because it has
5139 * dependents (children) or is part of the snapshot. Related to the medium
5140 * type and posterity, not to the current media state.
5141 *
5142 * @note Locks this object and medium tree for reading.
5143 */
5144bool Medium::i_isReadOnly()
5145{
5146 /* it is possible that some previous/concurrent uninit has already cleared
5147 * the pVirtualBox reference, and in this case we don't need to continue */
5148 ComObjPtr<VirtualBox> pVirtualBox(m->pVirtualBox);
5149 if (!pVirtualBox)
5150 return false;
5151
5152 /* we access children */
5153 AutoReadLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5154
5155 AutoCaller autoCaller(this);
5156 AssertComRCReturn(autoCaller.hrc(), false);
5157
5158 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
5159
5160 switch (m->type)
5161 {
5162 case MediumType_Normal:
5163 {
5164 if (i_getChildren().size() != 0)
5165 return true;
5166
5167 for (BackRefList::const_iterator it = m->backRefs.begin();
5168 it != m->backRefs.end(); ++it)
5169 if (it->llSnapshotIds.size() != 0)
5170 return true;
5171
5172 if (m->variant & MediumVariant_VmdkStreamOptimized)
5173 return true;
5174
5175 return false;
5176 }
5177 case MediumType_Immutable:
5178 case MediumType_MultiAttach:
5179 return true;
5180 case MediumType_Writethrough:
5181 case MediumType_Shareable:
5182 case MediumType_Readonly: /* explicit readonly media has no diffs */
5183 return false;
5184 default:
5185 break;
5186 }
5187
5188 AssertFailedReturn(false);
5189}
5190
5191/**
5192 * Internal method to update the medium's id. Must have caller + locking!
5193 * @return
5194 */
5195void Medium::i_updateId(const Guid &id)
5196{
5197 unconst(m->id) = id;
5198}
5199
5200/**
5201 * Saves the settings of one medium.
5202 *
5203 * @note Caller MUST take care of the medium tree lock and caller.
5204 *
5205 * @param data Settings struct to be updated.
5206 * @param strHardDiskFolder Folder for which paths should be relative.
5207 */
5208void Medium::i_saveSettingsOne(settings::Medium &data, const Utf8Str &strHardDiskFolder)
5209{
5210 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
5211
5212 data.uuid = m->id;
5213
5214 // make path relative if needed
5215 if ( !strHardDiskFolder.isEmpty()
5216 && RTPathStartsWith(m->strLocationFull.c_str(), strHardDiskFolder.c_str())
5217 )
5218 data.strLocation = m->strLocationFull.substr(strHardDiskFolder.length() + 1);
5219 else
5220 data.strLocation = m->strLocationFull;
5221 data.strFormat = m->strFormat;
5222
5223 /* optional, only for diffs, default is false */
5224 if (m->pParent)
5225 data.fAutoReset = m->autoReset;
5226 else
5227 data.fAutoReset = false;
5228
5229 /* optional */
5230 data.strDescription = m->strDescription;
5231
5232 /* optional properties */
5233 data.properties.clear();
5234
5235 /* handle iSCSI initiator secrets transparently */
5236 bool fHaveInitiatorSecretEncrypted = false;
5237 Utf8Str strCiphertext;
5238 settings::StringsMap::const_iterator itPln = m->mapProperties.find("InitiatorSecret");
5239 if ( itPln != m->mapProperties.end()
5240 && !itPln->second.isEmpty())
5241 {
5242 /* Encrypt the plain secret. If that does not work (i.e. no or wrong settings key
5243 * specified), just use the encrypted secret (if there is any). */
5244 int vrc = m->pVirtualBox->i_encryptSetting(itPln->second, &strCiphertext);
5245 if (RT_SUCCESS(vrc))
5246 fHaveInitiatorSecretEncrypted = true;
5247 }
5248 for (settings::StringsMap::const_iterator it = m->mapProperties.begin();
5249 it != m->mapProperties.end();
5250 ++it)
5251 {
5252 /* only save properties that have non-default values */
5253 if (!it->second.isEmpty())
5254 {
5255 const Utf8Str &name = it->first;
5256 const Utf8Str &value = it->second;
5257 bool fCreateOnly = false;
5258 for (MediumFormat::PropertyArray::const_iterator itf = m->formatObj->i_getProperties().begin();
5259 itf != m->formatObj->i_getProperties().end();
5260 ++itf)
5261 {
5262 if ( itf->strName.equals(name)
5263 && (itf->flags & VD_CFGKEY_CREATEONLY))
5264 {
5265 fCreateOnly = true;
5266 break;
5267 }
5268 }
5269 if (!fCreateOnly)
5270 /* do NOT store the plain InitiatorSecret */
5271 if ( !fHaveInitiatorSecretEncrypted
5272 || !name.equals("InitiatorSecret"))
5273 data.properties[name] = value;
5274 }
5275 }
5276 if (fHaveInitiatorSecretEncrypted)
5277 data.properties["InitiatorSecretEncrypted"] = strCiphertext;
5278
5279 /* only for base media */
5280 if (m->pParent.isNull())
5281 data.hdType = m->type;
5282}
5283
5284/**
5285 * Saves medium data by putting it into the provided data structure.
5286 * The settings of all children is saved, too.
5287 *
5288 * @param data Settings struct to be updated.
5289 * @param strHardDiskFolder Folder for which paths should be relative.
5290 *
5291 * @note Locks this object, medium tree and children for reading.
5292 */
5293HRESULT Medium::i_saveSettings(settings::Medium &data,
5294 const Utf8Str &strHardDiskFolder)
5295{
5296 /* we access m->pParent */
5297 AutoReadLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5298
5299 AutoCaller autoCaller(this);
5300 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5301
5302 MediaList llMediaTodo;
5303 llMediaTodo.push_back(this);
5304 std::list<settings::Medium *> llSettingsTodo;
5305 llSettingsTodo.push_back(&data);
5306
5307 while (!llMediaTodo.empty())
5308 {
5309 ComObjPtr<Medium> pMedium = llMediaTodo.front();
5310 llMediaTodo.pop_front();
5311 settings::Medium *current = llSettingsTodo.front();
5312 llSettingsTodo.pop_front();
5313
5314 AutoCaller mediumCaller(pMedium);
5315 if (FAILED(mediumCaller.hrc())) return mediumCaller.hrc();
5316
5317 pMedium->i_saveSettingsOne(*current, strHardDiskFolder);
5318
5319 /* save all children */
5320 MediaList::const_iterator itBegin = pMedium->i_getChildren().begin();
5321 MediaList::const_iterator itEnd = pMedium->i_getChildren().end();
5322 for (MediaList::const_iterator it = itBegin; it != itEnd; ++it)
5323 {
5324 llMediaTodo.push_back(*it);
5325 current->llChildren.push_back(settings::Medium::Empty);
5326 llSettingsTodo.push_back(&current->llChildren.back());
5327 }
5328 }
5329
5330 return S_OK;
5331}
5332
5333/**
5334 * Constructs a medium lock list for this medium. The lock is not taken.
5335 *
5336 * @note Caller MUST NOT hold the media tree or medium lock.
5337 *
5338 * @param fFailIfInaccessible If true, this fails with an error if a medium is inaccessible. If false,
5339 * inaccessible media are silently skipped and not locked (i.e. their state remains "Inaccessible");
5340 * this is necessary for a VM's removable media VM startup for which we do not want to fail.
5341 * @param pToLockWrite If not NULL, associate a write lock with this medium object.
5342 * @param fMediumLockWriteAll Whether to associate a write lock to all other media too.
5343 * @param pToBeParent Medium which will become the parent of this medium.
5344 * @param mediumLockList Where to store the resulting list.
5345 */
5346HRESULT Medium::i_createMediumLockList(bool fFailIfInaccessible,
5347 Medium *pToLockWrite,
5348 bool fMediumLockWriteAll,
5349 Medium *pToBeParent,
5350 MediumLockList &mediumLockList)
5351{
5352 /** @todo r=klaus this needs to be reworked, as the code below uses
5353 * i_getParent without holding the tree lock, and changing this is
5354 * a significant amount of effort. */
5355 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5356 Assert(!isWriteLockOnCurrentThread());
5357
5358 AutoCaller autoCaller(this);
5359 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5360
5361 HRESULT hrc = S_OK;
5362
5363 /* paranoid sanity checking if the medium has a to-be parent medium */
5364 if (pToBeParent)
5365 {
5366 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
5367 ComAssertRet(i_getParent().isNull(), E_FAIL);
5368 ComAssertRet(i_getChildren().size() == 0, E_FAIL);
5369 }
5370
5371 ErrorInfoKeeper eik;
5372 MultiResult mrc(S_OK);
5373
5374 ComObjPtr<Medium> pMedium = this;
5375 while (!pMedium.isNull())
5376 {
5377 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
5378
5379 /* Accessibility check must be first, otherwise locking interferes
5380 * with getting the medium state. Lock lists are not created for
5381 * fun, and thus getting the medium status is no luxury. */
5382 MediumState_T mediumState = pMedium->i_getState();
5383 if (mediumState == MediumState_Inaccessible)
5384 {
5385 alock.release();
5386 hrc = pMedium->i_queryInfo(false /* fSetImageId */, false /* fSetParentId */, autoCaller);
5387 alock.acquire();
5388 if (FAILED(hrc)) return hrc;
5389
5390 mediumState = pMedium->i_getState();
5391 if (mediumState == MediumState_Inaccessible)
5392 {
5393 // ignore inaccessible ISO media and silently return S_OK,
5394 // otherwise VM startup (esp. restore) may fail without good reason
5395 if (!fFailIfInaccessible)
5396 return S_OK;
5397
5398 // otherwise report an error
5399 Bstr error;
5400 hrc = pMedium->COMGETTER(LastAccessError)(error.asOutParam());
5401 if (FAILED(hrc)) return hrc;
5402
5403 /* collect multiple errors */
5404 eik.restore();
5405 Assert(!error.isEmpty());
5406 mrc = setError(E_FAIL,
5407 "%ls",
5408 error.raw());
5409 // error message will be something like
5410 // "Could not open the medium ... VD: error VERR_FILE_NOT_FOUND opening image file ... (VERR_FILE_NOT_FOUND).
5411 eik.fetch();
5412 }
5413 }
5414
5415 if (pMedium == pToLockWrite)
5416 mediumLockList.Prepend(pMedium, true);
5417 else
5418 mediumLockList.Prepend(pMedium, fMediumLockWriteAll);
5419
5420 pMedium = pMedium->i_getParent();
5421 if (pMedium.isNull() && pToBeParent)
5422 {
5423 pMedium = pToBeParent;
5424 pToBeParent = NULL;
5425 }
5426 }
5427
5428 return mrc;
5429}
5430
5431/**
5432 * Creates a new differencing storage unit using the format of the given target
5433 * medium and the location. Note that @c aTarget must be NotCreated.
5434 *
5435 * The @a aMediumLockList parameter contains the associated medium lock list,
5436 * which must be in locked state. If @a aWait is @c true then the caller is
5437 * responsible for unlocking.
5438 *
5439 * If @a aProgress is not NULL but the object it points to is @c null then a
5440 * new progress object will be created and assigned to @a *aProgress on
5441 * success, otherwise the existing progress object is used. If @a aProgress is
5442 * NULL, then no progress object is created/used at all.
5443 *
5444 * When @a aWait is @c false, this method will create a thread to perform the
5445 * create operation asynchronously and will return immediately. Otherwise, it
5446 * will perform the operation on the calling thread and will not return to the
5447 * caller until the operation is completed. Note that @a aProgress cannot be
5448 * NULL when @a aWait is @c false (this method will assert in this case).
5449 *
5450 * @param aTarget Target medium.
5451 * @param aVariant Precise medium variant to create.
5452 * @param aMediumLockList List of media which should be locked.
5453 * @param aProgress Where to find/store a Progress object to track
5454 * operation completion.
5455 * @param aWait @c true if this method should block instead of
5456 * creating an asynchronous thread.
5457 * @param aNotify Notify about media for which metadata is changed
5458 * during execution of the function.
5459 *
5460 * @note Locks this object and @a aTarget for writing.
5461 */
5462HRESULT Medium::i_createDiffStorage(ComObjPtr<Medium> &aTarget,
5463 MediumVariant_T aVariant,
5464 MediumLockList *aMediumLockList,
5465 ComObjPtr<Progress> *aProgress,
5466 bool aWait,
5467 bool aNotify)
5468{
5469 AssertReturn(!aTarget.isNull(), E_FAIL);
5470 AssertReturn(aMediumLockList, E_FAIL);
5471 AssertReturn(aProgress != NULL || aWait == true, E_FAIL);
5472
5473 AutoCaller autoCaller(this);
5474 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5475
5476 AutoCaller targetCaller(aTarget);
5477 if (FAILED(targetCaller.hrc())) return targetCaller.hrc();
5478
5479 HRESULT hrc = S_OK;
5480 ComObjPtr<Progress> pProgress;
5481 Medium::Task *pTask = NULL;
5482
5483 try
5484 {
5485 AutoMultiWriteLock2 alock(this, aTarget COMMA_LOCKVAL_SRC_POS);
5486
5487 ComAssertThrow( m->type != MediumType_Writethrough
5488 && m->type != MediumType_Shareable
5489 && m->type != MediumType_Readonly, E_FAIL);
5490 ComAssertThrow(m->state == MediumState_LockedRead, E_FAIL);
5491
5492 if (aTarget->m->state != MediumState_NotCreated)
5493 throw aTarget->i_setStateError();
5494
5495 /* Check that the medium is not attached to the current state of
5496 * any VM referring to it. */
5497 for (BackRefList::const_iterator it = m->backRefs.begin();
5498 it != m->backRefs.end();
5499 ++it)
5500 {
5501 if (it->fInCurState)
5502 {
5503 /* Note: when a VM snapshot is being taken, all normal media
5504 * attached to the VM in the current state will be, as an
5505 * exception, also associated with the snapshot which is about
5506 * to create (see SnapshotMachine::init()) before deassociating
5507 * them from the current state (which takes place only on
5508 * success in Machine::fixupHardDisks()), so that the size of
5509 * snapshotIds will be 1 in this case. The extra condition is
5510 * used to filter out this legal situation. */
5511 if (it->llSnapshotIds.size() == 0)
5512 throw setError(VBOX_E_INVALID_OBJECT_STATE,
5513 tr("Medium '%s' is attached to a virtual machine with UUID {%RTuuid}. No differencing media based on it may be created until it is detached"),
5514 m->strLocationFull.c_str(), it->machineId.raw());
5515
5516 Assert(it->llSnapshotIds.size() == 1);
5517 }
5518 }
5519
5520 if (aProgress != NULL)
5521 {
5522 /* use the existing progress object... */
5523 pProgress = *aProgress;
5524
5525 /* ...but create a new one if it is null */
5526 if (pProgress.isNull())
5527 {
5528 pProgress.createObject();
5529 hrc = pProgress->init(m->pVirtualBox,
5530 static_cast<IMedium*>(this),
5531 BstrFmt(tr("Creating differencing medium storage unit '%s'"),
5532 aTarget->m->strLocationFull.c_str()).raw(),
5533 TRUE /* aCancelable */);
5534 if (FAILED(hrc))
5535 throw hrc;
5536 }
5537 }
5538
5539 /* setup task object to carry out the operation sync/async */
5540 pTask = new Medium::CreateDiffTask(this, pProgress, aTarget, aVariant,
5541 aMediumLockList,
5542 aWait /* fKeepMediumLockList */,
5543 aNotify);
5544 hrc = pTask->hrc();
5545 AssertComRC(hrc);
5546 if (FAILED(hrc))
5547 throw hrc;
5548
5549 /* register a task (it will deregister itself when done) */
5550 ++m->numCreateDiffTasks;
5551 Assert(m->numCreateDiffTasks != 0); /* overflow? */
5552
5553 aTarget->m->state = MediumState_Creating;
5554 }
5555 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
5556
5557 if (SUCCEEDED(hrc))
5558 {
5559 if (aWait)
5560 {
5561 hrc = pTask->runNow();
5562 delete pTask;
5563 }
5564 else
5565 hrc = pTask->createThread();
5566 pTask = NULL;
5567 if (SUCCEEDED(hrc) && aProgress != NULL)
5568 *aProgress = pProgress;
5569 }
5570 else if (pTask != NULL)
5571 delete pTask;
5572
5573 return hrc;
5574}
5575
5576/**
5577 * Returns a preferred format for differencing media.
5578 */
5579Utf8Str Medium::i_getPreferredDiffFormat()
5580{
5581 AutoCaller autoCaller(this);
5582 AssertComRCReturn(autoCaller.hrc(), Utf8Str::Empty);
5583
5584 /* check that our own format supports diffs */
5585 if (!(m->formatObj->i_getCapabilities() & MediumFormatCapabilities_Differencing))
5586 {
5587 /* use the default format if not */
5588 Utf8Str tmp;
5589 m->pVirtualBox->i_getDefaultHardDiskFormat(tmp);
5590 return tmp;
5591 }
5592
5593 /* m->strFormat is const, no need to lock */
5594 return m->strFormat;
5595}
5596
5597/**
5598 * Returns a preferred variant for differencing media.
5599 */
5600MediumVariant_T Medium::i_getPreferredDiffVariant()
5601{
5602 AutoCaller autoCaller(this);
5603 AssertComRCReturn(autoCaller.hrc(), MediumVariant_Standard);
5604
5605 /* check that our own format supports diffs */
5606 if (!(m->formatObj->i_getCapabilities() & MediumFormatCapabilities_Differencing))
5607 return MediumVariant_Standard;
5608
5609 /* m->variant is const, no need to lock */
5610 ULONG mediumVariantFlags = (ULONG)m->variant;
5611 mediumVariantFlags &= ~(ULONG)(MediumVariant_Fixed | MediumVariant_VmdkStreamOptimized | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk);
5612 mediumVariantFlags |= MediumVariant_Diff;
5613 return (MediumVariant_T)mediumVariantFlags;
5614}
5615
5616/**
5617 * Implementation for the public Medium::Close() with the exception of calling
5618 * VirtualBox::saveRegistries(), in case someone wants to call this for several
5619 * media.
5620 *
5621 * After this returns with success, uninit() has been called on the medium, and
5622 * the object is no longer usable ("not ready" state).
5623 *
5624 * @param autoCaller AutoCaller instance which must have been created on the caller's
5625 * stack for this medium. This gets released hereupon
5626 * which the Medium instance gets uninitialized.
5627 * @return
5628 */
5629HRESULT Medium::i_close(AutoCaller &autoCaller)
5630{
5631 // must temporarily drop the caller, need the tree lock first
5632 autoCaller.release();
5633
5634 // we're accessing parent/child and backrefs, so lock the tree first, then ourselves
5635 AutoMultiWriteLock2 multilock(&m->pVirtualBox->i_getMediaTreeLockHandle(),
5636 this->lockHandle()
5637 COMMA_LOCKVAL_SRC_POS);
5638
5639 autoCaller.add();
5640 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5641
5642 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
5643 while (m->queryInfoRunning)
5644 {
5645 autoCaller.release();
5646 multilock.release();
5647 /* Must not hold the media tree lock, as Medium::i_queryInfo needs
5648 * this lock and thus we would run into a deadlock here. */
5649 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5650 /* must not hold the object lock now */
5651 Assert(!isWriteLockOnCurrentThread());
5652 {
5653 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
5654 }
5655 multilock.acquire();
5656 autoCaller.add();
5657 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
5658 }
5659
5660 LogFlowFunc(("ENTER for %s\n", i_getLocationFull().c_str()));
5661
5662 bool wasCreated = true;
5663
5664 switch (m->state)
5665 {
5666 case MediumState_NotCreated:
5667 wasCreated = false;
5668 break;
5669 case MediumState_Created:
5670 case MediumState_Inaccessible:
5671 break;
5672 default:
5673 return i_setStateError();
5674 }
5675
5676 if (m->backRefs.size() != 0)
5677 return setError(VBOX_E_OBJECT_IN_USE,
5678 tr("Medium '%s' cannot be closed because it is still attached to %d virtual machines", "",
5679 m->backRefs.size()),
5680 m->strLocationFull.c_str(), m->backRefs.size());
5681
5682 // perform extra media-dependent close checks
5683 HRESULT hrc = i_canClose();
5684 if (FAILED(hrc)) return hrc;
5685
5686 m->fClosing = true;
5687
5688 if (wasCreated)
5689 {
5690 // remove from the list of known media before performing actual
5691 // uninitialization (to keep the media registry consistent on
5692 // failure to do so)
5693 hrc = i_unregisterWithVirtualBox();
5694 if (FAILED(hrc)) return hrc;
5695
5696 multilock.release();
5697 // Release the AutoCaller now, as otherwise uninit() will simply hang.
5698 // Needs to be done before mark the registries as modified and saving
5699 // the registry, as otherwise there may be a deadlock with someone else
5700 // closing this object while we're in i_saveModifiedRegistries(), which
5701 // needs the media tree lock, which the other thread holds until after
5702 // uninit() below.
5703 autoCaller.release();
5704 i_markRegistriesModified();
5705 m->pVirtualBox->i_saveModifiedRegistries();
5706 }
5707 else
5708 {
5709 multilock.release();
5710 // release the AutoCaller, as otherwise uninit() will simply hang
5711 autoCaller.release();
5712 }
5713
5714 uninit();
5715
5716 LogFlowFuncLeave();
5717
5718 return hrc;
5719}
5720
5721/**
5722 * Deletes the medium storage unit.
5723 *
5724 * If @a aProgress is not NULL but the object it points to is @c null then a new
5725 * progress object will be created and assigned to @a *aProgress on success,
5726 * otherwise the existing progress object is used. If Progress is NULL, then no
5727 * progress object is created/used at all.
5728 *
5729 * When @a aWait is @c false, this method will create a thread to perform the
5730 * delete operation asynchronously and will return immediately. Otherwise, it
5731 * will perform the operation on the calling thread and will not return to the
5732 * caller until the operation is completed. Note that @a aProgress cannot be
5733 * NULL when @a aWait is @c false (this method will assert in this case).
5734 *
5735 * @param aProgress Where to find/store a Progress object to track operation
5736 * completion.
5737 * @param aWait @c true if this method should block instead of creating
5738 * an asynchronous thread.
5739 * @param aNotify Notify about media for which metadata is changed
5740 * during execution of the function.
5741 *
5742 * @note Locks mVirtualBox and this object for writing. Locks medium tree for
5743 * writing.
5744 */
5745HRESULT Medium::i_deleteStorage(ComObjPtr<Progress> *aProgress,
5746 bool aWait, bool aNotify)
5747{
5748 AssertReturn(aProgress != NULL || aWait == true, E_FAIL);
5749
5750 HRESULT hrc = S_OK;
5751 ComObjPtr<Progress> pProgress;
5752 Medium::Task *pTask = NULL;
5753
5754 try
5755 {
5756 /* we're accessing the media tree, and i_canClose() needs it too */
5757 AutoWriteLock treelock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
5758
5759 AutoCaller autoCaller(this);
5760 AssertComRCThrowRC(autoCaller.hrc());
5761
5762 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5763
5764 LogFlowThisFunc(("aWait=%RTbool locationFull=%s\n", aWait, i_getLocationFull().c_str() ));
5765
5766 if ( !(m->formatObj->i_getCapabilities() & ( MediumFormatCapabilities_CreateDynamic
5767 | MediumFormatCapabilities_CreateFixed)))
5768 throw setError(VBOX_E_NOT_SUPPORTED,
5769 tr("Medium format '%s' does not support storage deletion"),
5770 m->strFormat.c_str());
5771
5772 /* Wait for a concurrently running Medium::i_queryInfo to complete. */
5773 /** @todo r=klaus would be great if this could be moved to the async
5774 * part of the operation as it can take quite a while */
5775 while (m->queryInfoRunning)
5776 {
5777 alock.release();
5778 autoCaller.release();
5779 treelock.release();
5780 /* Must not hold the media tree lock or the object lock, as
5781 * Medium::i_queryInfo needs this lock and thus we would run
5782 * into a deadlock here. */
5783 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
5784 Assert(!isWriteLockOnCurrentThread());
5785 {
5786 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
5787 }
5788 treelock.acquire();
5789 autoCaller.add();
5790 AssertComRCThrowRC(autoCaller.hrc());
5791 alock.acquire();
5792 }
5793
5794 /* Note that we are fine with Inaccessible state too: a) for symmetry
5795 * with create calls and b) because it doesn't really harm to try, if
5796 * it is really inaccessible, the delete operation will fail anyway.
5797 * Accepting Inaccessible state is especially important because all
5798 * registered media are initially Inaccessible upon VBoxSVC startup
5799 * until COMGETTER(RefreshState) is called. Accept Deleting state
5800 * because some callers need to put the medium in this state early
5801 * to prevent races. */
5802 switch (m->state)
5803 {
5804 case MediumState_Created:
5805 case MediumState_Deleting:
5806 case MediumState_Inaccessible:
5807 break;
5808 default:
5809 throw i_setStateError();
5810 }
5811
5812 if (m->backRefs.size() != 0)
5813 {
5814 Utf8Str strMachines;
5815 for (BackRefList::const_iterator it = m->backRefs.begin();
5816 it != m->backRefs.end();
5817 ++it)
5818 {
5819 const BackRef &b = *it;
5820 if (strMachines.length())
5821 strMachines.append(", ");
5822 strMachines.append(b.machineId.toString().c_str());
5823 }
5824#ifdef DEBUG
5825 i_dumpBackRefs();
5826#endif
5827 throw setError(VBOX_E_OBJECT_IN_USE,
5828 tr("Cannot delete storage: medium '%s' is still attached to the following %d virtual machine(s): %s",
5829 "", m->backRefs.size()),
5830 m->strLocationFull.c_str(),
5831 m->backRefs.size(),
5832 strMachines.c_str());
5833 }
5834
5835 hrc = i_canClose();
5836 if (FAILED(hrc))
5837 throw hrc;
5838
5839 /* go to Deleting state, so that the medium is not actually locked */
5840 if (m->state != MediumState_Deleting)
5841 {
5842 hrc = i_markForDeletion();
5843 if (FAILED(hrc))
5844 throw hrc;
5845 }
5846
5847 /* Build the medium lock list. */
5848 MediumLockList *pMediumLockList(new MediumLockList());
5849 alock.release();
5850 autoCaller.release();
5851 treelock.release();
5852 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
5853 this /* pToLockWrite */,
5854 false /* fMediumLockWriteAll */,
5855 NULL,
5856 *pMediumLockList);
5857 treelock.acquire();
5858 autoCaller.add();
5859 AssertComRCThrowRC(autoCaller.hrc());
5860 alock.acquire();
5861 if (FAILED(hrc))
5862 {
5863 delete pMediumLockList;
5864 throw hrc;
5865 }
5866
5867 alock.release();
5868 autoCaller.release();
5869 treelock.release();
5870 hrc = pMediumLockList->Lock();
5871 treelock.acquire();
5872 autoCaller.add();
5873 AssertComRCThrowRC(autoCaller.hrc());
5874 alock.acquire();
5875 if (FAILED(hrc))
5876 {
5877 delete pMediumLockList;
5878 throw setError(hrc,
5879 tr("Failed to lock media when deleting '%s'"),
5880 i_getLocationFull().c_str());
5881 }
5882
5883 /* try to remove from the list of known media before performing
5884 * actual deletion (we favor the consistency of the media registry
5885 * which would have been broken if unregisterWithVirtualBox() failed
5886 * after we successfully deleted the storage) */
5887 hrc = i_unregisterWithVirtualBox();
5888 if (FAILED(hrc))
5889 throw hrc;
5890 // no longer need lock
5891 alock.release();
5892 autoCaller.release();
5893 treelock.release();
5894 i_markRegistriesModified();
5895
5896 if (aProgress != NULL)
5897 {
5898 /* use the existing progress object... */
5899 pProgress = *aProgress;
5900
5901 /* ...but create a new one if it is null */
5902 if (pProgress.isNull())
5903 {
5904 pProgress.createObject();
5905 hrc = pProgress->init(m->pVirtualBox,
5906 static_cast<IMedium*>(this),
5907 BstrFmt(tr("Deleting medium storage unit '%s'"), m->strLocationFull.c_str()).raw(),
5908 FALSE /* aCancelable */);
5909 if (FAILED(hrc))
5910 throw hrc;
5911 }
5912 }
5913
5914 /* setup task object to carry out the operation sync/async */
5915 pTask = new Medium::DeleteTask(this, pProgress, pMediumLockList, false, aNotify);
5916 hrc = pTask->hrc();
5917 AssertComRC(hrc);
5918 if (FAILED(hrc))
5919 throw hrc;
5920 }
5921 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
5922
5923 if (SUCCEEDED(hrc))
5924 {
5925 if (aWait)
5926 {
5927 hrc = pTask->runNow();
5928 delete pTask;
5929 }
5930 else
5931 hrc = pTask->createThread();
5932 pTask = NULL;
5933 if (SUCCEEDED(hrc) && aProgress != NULL)
5934 *aProgress = pProgress;
5935 }
5936 else
5937 {
5938 if (pTask)
5939 delete pTask;
5940
5941 /* Undo deleting state if necessary. */
5942 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5943 /* Make sure that any error signalled by unmarkForDeletion() is not
5944 * ending up in the error list (if the caller uses MultiResult). It
5945 * usually is spurious, as in most cases the medium hasn't been marked
5946 * for deletion when the error was thrown above. */
5947 ErrorInfoKeeper eik;
5948 i_unmarkForDeletion();
5949 }
5950
5951 return hrc;
5952}
5953
5954/**
5955 * Mark a medium for deletion.
5956 *
5957 * @note Caller must hold the write lock on this medium!
5958 */
5959HRESULT Medium::i_markForDeletion()
5960{
5961 ComAssertRet(isWriteLockOnCurrentThread(), E_FAIL);
5962 switch (m->state)
5963 {
5964 case MediumState_Created:
5965 case MediumState_Inaccessible:
5966 m->preLockState = m->state;
5967 m->state = MediumState_Deleting;
5968 return S_OK;
5969 default:
5970 return i_setStateError();
5971 }
5972}
5973
5974/**
5975 * Removes the "mark for deletion".
5976 *
5977 * @note Caller must hold the write lock on this medium!
5978 */
5979HRESULT Medium::i_unmarkForDeletion()
5980{
5981 ComAssertRet(isWriteLockOnCurrentThread(), E_FAIL);
5982 switch (m->state)
5983 {
5984 case MediumState_Deleting:
5985 m->state = m->preLockState;
5986 return S_OK;
5987 default:
5988 return i_setStateError();
5989 }
5990}
5991
5992/**
5993 * Mark a medium for deletion which is in locked state.
5994 *
5995 * @note Caller must hold the write lock on this medium!
5996 */
5997HRESULT Medium::i_markLockedForDeletion()
5998{
5999 ComAssertRet(isWriteLockOnCurrentThread(), E_FAIL);
6000 if ( ( m->state == MediumState_LockedRead
6001 || m->state == MediumState_LockedWrite)
6002 && m->preLockState == MediumState_Created)
6003 {
6004 m->preLockState = MediumState_Deleting;
6005 return S_OK;
6006 }
6007 else
6008 return i_setStateError();
6009}
6010
6011/**
6012 * Removes the "mark for deletion" for a medium in locked state.
6013 *
6014 * @note Caller must hold the write lock on this medium!
6015 */
6016HRESULT Medium::i_unmarkLockedForDeletion()
6017{
6018 ComAssertRet(isWriteLockOnCurrentThread(), E_FAIL);
6019 if ( ( m->state == MediumState_LockedRead
6020 || m->state == MediumState_LockedWrite)
6021 && m->preLockState == MediumState_Deleting)
6022 {
6023 m->preLockState = MediumState_Created;
6024 return S_OK;
6025 }
6026 else
6027 return i_setStateError();
6028}
6029
6030/**
6031 * Queries the preferred merge direction from this to the other medium, i.e.
6032 * the one which requires the least amount of I/O and therefore time and
6033 * disk consumption.
6034 *
6035 * @returns Status code.
6036 * @retval E_FAIL in case determining the merge direction fails for some reason,
6037 * for example if getting the size of the media fails. There is no
6038 * error set though and the caller is free to continue to find out
6039 * what was going wrong later. Leaves fMergeForward unset.
6040 * @retval VBOX_E_INVALID_OBJECT_STATE if both media are not related to each other
6041 * An error is set.
6042 * @param pOther The other medium to merge with.
6043 * @param fMergeForward Resulting preferred merge direction (out).
6044 */
6045HRESULT Medium::i_queryPreferredMergeDirection(const ComObjPtr<Medium> &pOther,
6046 bool &fMergeForward)
6047{
6048 AssertReturn(pOther != NULL, E_FAIL);
6049 AssertReturn(pOther != this, E_FAIL);
6050
6051 HRESULT hrc = S_OK;
6052 bool fThisParent = false; /**<< Flag whether this medium is the parent of pOther. */
6053
6054 try
6055 {
6056 // locking: we need the tree lock first because we access parent pointers
6057 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
6058
6059 AutoCaller autoCaller(this);
6060 AssertComRCThrowRC(autoCaller.hrc());
6061
6062 AutoCaller otherCaller(pOther);
6063 AssertComRCThrowRC(otherCaller.hrc());
6064
6065 /* more sanity checking and figuring out the current merge direction */
6066 ComObjPtr<Medium> pMedium = i_getParent();
6067 while (!pMedium.isNull() && pMedium != pOther)
6068 pMedium = pMedium->i_getParent();
6069 if (pMedium == pOther)
6070 fThisParent = false;
6071 else
6072 {
6073 pMedium = pOther->i_getParent();
6074 while (!pMedium.isNull() && pMedium != this)
6075 pMedium = pMedium->i_getParent();
6076 if (pMedium == this)
6077 fThisParent = true;
6078 else
6079 {
6080 Utf8Str tgtLoc;
6081 {
6082 AutoReadLock alock(pOther COMMA_LOCKVAL_SRC_POS);
6083 tgtLoc = pOther->i_getLocationFull();
6084 }
6085
6086 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6087 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6088 tr("Media '%s' and '%s' are unrelated"),
6089 m->strLocationFull.c_str(), tgtLoc.c_str());
6090 }
6091 }
6092
6093 /*
6094 * Figure out the preferred merge direction. The current way is to
6095 * get the current sizes of file based images and select the merge
6096 * direction depending on the size.
6097 *
6098 * Can't use the VD API to get current size here as the media might
6099 * be write locked by a running VM. Resort to RTFileQuerySize().
6100 */
6101 int vrc = VINF_SUCCESS;
6102 uint64_t cbMediumThis = 0;
6103 uint64_t cbMediumOther = 0;
6104
6105 if (i_isMediumFormatFile() && pOther->i_isMediumFormatFile())
6106 {
6107 vrc = RTFileQuerySizeByPath(this->i_getLocationFull().c_str(), &cbMediumThis);
6108 if (RT_SUCCESS(vrc))
6109 {
6110 vrc = RTFileQuerySizeByPath(pOther->i_getLocationFull().c_str(),
6111 &cbMediumOther);
6112 }
6113
6114 if (RT_FAILURE(vrc))
6115 hrc = E_FAIL;
6116 else
6117 {
6118 /*
6119 * Check which merge direction might be more optimal.
6120 * This method is not bullet proof of course as there might
6121 * be overlapping blocks in the images so the file size is
6122 * not the best indicator but it is good enough for our purpose
6123 * and everything else is too complicated, especially when the
6124 * media are used by a running VM.
6125 */
6126
6127 uint32_t mediumVariants = MediumVariant_Fixed | MediumVariant_VmdkStreamOptimized;
6128 uint32_t mediumCaps = MediumFormatCapabilities_CreateDynamic | MediumFormatCapabilities_File;
6129
6130 bool fDynamicOther = pOther->i_getMediumFormat()->i_getCapabilities() & mediumCaps
6131 && pOther->i_getVariant() & ~mediumVariants;
6132 bool fDynamicThis = i_getMediumFormat()->i_getCapabilities() & mediumCaps
6133 && i_getVariant() & ~mediumVariants;
6134 bool fMergeIntoThis = (fDynamicThis && !fDynamicOther)
6135 || (fDynamicThis == fDynamicOther && cbMediumThis > cbMediumOther);
6136 fMergeForward = fMergeIntoThis != fThisParent;
6137 }
6138 }
6139 }
6140 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6141
6142 return hrc;
6143}
6144
6145/**
6146 * Prepares this (source) medium, target medium and all intermediate media
6147 * for the merge operation.
6148 *
6149 * This method is to be called prior to calling the #mergeTo() to perform
6150 * necessary consistency checks and place involved media to appropriate
6151 * states. If #mergeTo() is not called or fails, the state modifications
6152 * performed by this method must be undone by #i_cancelMergeTo().
6153 *
6154 * See #mergeTo() for more information about merging.
6155 *
6156 * @param pTarget Target medium.
6157 * @param aMachineId Allowed machine attachment. NULL means do not check.
6158 * @param aSnapshotId Allowed snapshot attachment. NULL or empty UUID means
6159 * do not check.
6160 * @param fLockMedia Flag whether to lock the medium lock list or not.
6161 * If set to false and the medium lock list locking fails
6162 * later you must call #i_cancelMergeTo().
6163 * @param fMergeForward Resulting merge direction (out).
6164 * @param pParentForTarget New parent for target medium after merge (out).
6165 * @param aChildrenToReparent Medium lock list containing all children of the
6166 * source which will have to be reparented to the target
6167 * after merge (out).
6168 * @param aMediumLockList Medium locking information (out).
6169 *
6170 * @note Locks medium tree for reading. Locks this object, aTarget and all
6171 * intermediate media for writing.
6172 */
6173HRESULT Medium::i_prepareMergeTo(const ComObjPtr<Medium> &pTarget,
6174 const Guid *aMachineId,
6175 const Guid *aSnapshotId,
6176 bool fLockMedia,
6177 bool &fMergeForward,
6178 ComObjPtr<Medium> &pParentForTarget,
6179 MediumLockList * &aChildrenToReparent,
6180 MediumLockList * &aMediumLockList)
6181{
6182 AssertReturn(pTarget != NULL, E_FAIL);
6183 AssertReturn(pTarget != this, E_FAIL);
6184
6185 HRESULT hrc = S_OK;
6186 fMergeForward = false;
6187 pParentForTarget.setNull();
6188 Assert(aChildrenToReparent == NULL);
6189 aChildrenToReparent = NULL;
6190 Assert(aMediumLockList == NULL);
6191 aMediumLockList = NULL;
6192
6193 try
6194 {
6195 // locking: we need the tree lock first because we access parent pointers
6196 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
6197
6198 AutoCaller autoCaller(this);
6199 AssertComRCThrowRC(autoCaller.hrc());
6200
6201 AutoCaller targetCaller(pTarget);
6202 AssertComRCThrowRC(targetCaller.hrc());
6203
6204 /* more sanity checking and figuring out the merge direction */
6205 ComObjPtr<Medium> pMedium = i_getParent();
6206 while (!pMedium.isNull() && pMedium != pTarget)
6207 pMedium = pMedium->i_getParent();
6208 if (pMedium == pTarget)
6209 fMergeForward = false;
6210 else
6211 {
6212 pMedium = pTarget->i_getParent();
6213 while (!pMedium.isNull() && pMedium != this)
6214 pMedium = pMedium->i_getParent();
6215 if (pMedium == this)
6216 fMergeForward = true;
6217 else
6218 {
6219 Utf8Str tgtLoc;
6220 {
6221 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
6222 tgtLoc = pTarget->i_getLocationFull();
6223 }
6224
6225 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6226 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6227 tr("Media '%s' and '%s' are unrelated"),
6228 m->strLocationFull.c_str(), tgtLoc.c_str());
6229 }
6230 }
6231
6232 /* Build the lock list. */
6233 aMediumLockList = new MediumLockList();
6234 targetCaller.release();
6235 autoCaller.release();
6236 treeLock.release();
6237 if (fMergeForward)
6238 hrc = pTarget->i_createMediumLockList(true /* fFailIfInaccessible */,
6239 pTarget /* pToLockWrite */,
6240 false /* fMediumLockWriteAll */,
6241 NULL,
6242 *aMediumLockList);
6243 else
6244 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
6245 pTarget /* pToLockWrite */,
6246 false /* fMediumLockWriteAll */,
6247 NULL,
6248 *aMediumLockList);
6249 treeLock.acquire();
6250 autoCaller.add();
6251 AssertComRCThrowRC(autoCaller.hrc());
6252 targetCaller.add();
6253 AssertComRCThrowRC(targetCaller.hrc());
6254 if (FAILED(hrc))
6255 throw hrc;
6256
6257 /* Sanity checking, must be after lock list creation as it depends on
6258 * valid medium states. The medium objects must be accessible. Only
6259 * do this if immediate locking is requested, otherwise it fails when
6260 * we construct a medium lock list for an already running VM. Snapshot
6261 * deletion uses this to simplify its life. */
6262 if (fLockMedia)
6263 {
6264 {
6265 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6266 if (m->state != MediumState_Created)
6267 throw i_setStateError();
6268 }
6269 {
6270 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
6271 if (pTarget->m->state != MediumState_Created)
6272 throw pTarget->i_setStateError();
6273 }
6274 }
6275
6276 /* check medium attachment and other sanity conditions */
6277 if (fMergeForward)
6278 {
6279 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6280 if (i_getChildren().size() > 1)
6281 {
6282 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6283 tr("Medium '%s' involved in the merge operation has more than one child medium (%d)"),
6284 m->strLocationFull.c_str(), i_getChildren().size());
6285 }
6286 /* One backreference is only allowed if the machine ID is not empty
6287 * and it matches the machine the medium is attached to (including
6288 * the snapshot ID if not empty). */
6289 if ( m->backRefs.size() != 0
6290 && ( !aMachineId
6291 || m->backRefs.size() != 1
6292 || aMachineId->isZero()
6293 || *i_getFirstMachineBackrefId() != *aMachineId
6294 || ( (!aSnapshotId || !aSnapshotId->isZero())
6295 && *i_getFirstMachineBackrefSnapshotId() != *aSnapshotId)))
6296 throw setError(VBOX_E_OBJECT_IN_USE,
6297 tr("Medium '%s' is attached to %d virtual machines", "", m->backRefs.size()),
6298 m->strLocationFull.c_str(), m->backRefs.size());
6299 if (m->type == MediumType_Immutable)
6300 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6301 tr("Medium '%s' is immutable"),
6302 m->strLocationFull.c_str());
6303 if (m->type == MediumType_MultiAttach)
6304 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6305 tr("Medium '%s' is multi-attach"),
6306 m->strLocationFull.c_str());
6307 }
6308 else
6309 {
6310 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
6311 if (pTarget->i_getChildren().size() > 1)
6312 {
6313 throw setError(VBOX_E_OBJECT_IN_USE,
6314 tr("Medium '%s' involved in the merge operation has more than one child medium (%d)"),
6315 pTarget->m->strLocationFull.c_str(),
6316 pTarget->i_getChildren().size());
6317 }
6318 if (pTarget->m->type == MediumType_Immutable)
6319 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6320 tr("Medium '%s' is immutable"),
6321 pTarget->m->strLocationFull.c_str());
6322 if (pTarget->m->type == MediumType_MultiAttach)
6323 throw setError(VBOX_E_INVALID_OBJECT_STATE,
6324 tr("Medium '%s' is multi-attach"),
6325 pTarget->m->strLocationFull.c_str());
6326 }
6327 ComObjPtr<Medium> pLast(fMergeForward ? (Medium *)pTarget : this);
6328 ComObjPtr<Medium> pLastIntermediate = pLast->i_getParent();
6329 for (pLast = pLastIntermediate;
6330 !pLast.isNull() && pLast != pTarget && pLast != this;
6331 pLast = pLast->i_getParent())
6332 {
6333 AutoReadLock alock(pLast COMMA_LOCKVAL_SRC_POS);
6334 if (pLast->i_getChildren().size() > 1)
6335 {
6336 throw setError(VBOX_E_OBJECT_IN_USE,
6337 tr("Medium '%s' involved in the merge operation has more than one child medium (%d)"),
6338 pLast->m->strLocationFull.c_str(),
6339 pLast->i_getChildren().size());
6340 }
6341 if (pLast->m->backRefs.size() != 0)
6342 throw setError(VBOX_E_OBJECT_IN_USE,
6343 tr("Medium '%s' is attached to %d virtual machines", "", pLast->m->backRefs.size()),
6344 pLast->m->strLocationFull.c_str(),
6345 pLast->m->backRefs.size());
6346
6347 }
6348
6349 /* Update medium states appropriately */
6350 {
6351 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6352
6353 if (m->state == MediumState_Created)
6354 {
6355 hrc = i_markForDeletion();
6356 if (FAILED(hrc))
6357 throw hrc;
6358 }
6359 else
6360 {
6361 if (fLockMedia)
6362 throw i_setStateError();
6363 else if ( m->state == MediumState_LockedWrite
6364 || m->state == MediumState_LockedRead)
6365 {
6366 /* Either mark it for deletion in locked state or allow
6367 * others to have done so. */
6368 if (m->preLockState == MediumState_Created)
6369 i_markLockedForDeletion();
6370 else if (m->preLockState != MediumState_Deleting)
6371 throw i_setStateError();
6372 }
6373 else
6374 throw i_setStateError();
6375 }
6376 }
6377
6378 if (fMergeForward)
6379 {
6380 /* we will need parent to reparent target */
6381 pParentForTarget = i_getParent();
6382 }
6383 else
6384 {
6385 /* we will need to reparent children of the source */
6386 aChildrenToReparent = new MediumLockList();
6387 for (MediaList::const_iterator it = i_getChildren().begin();
6388 it != i_getChildren().end();
6389 ++it)
6390 {
6391 pMedium = *it;
6392 aChildrenToReparent->Append(pMedium, true /* fLockWrite */);
6393 }
6394 if (fLockMedia && aChildrenToReparent)
6395 {
6396 targetCaller.release();
6397 autoCaller.release();
6398 treeLock.release();
6399 hrc = aChildrenToReparent->Lock();
6400 treeLock.acquire();
6401 autoCaller.add();
6402 AssertComRCThrowRC(autoCaller.hrc());
6403 targetCaller.add();
6404 AssertComRCThrowRC(targetCaller.hrc());
6405 if (FAILED(hrc))
6406 throw hrc;
6407 }
6408 }
6409 for (pLast = pLastIntermediate;
6410 !pLast.isNull() && pLast != pTarget && pLast != this;
6411 pLast = pLast->i_getParent())
6412 {
6413 AutoWriteLock alock(pLast COMMA_LOCKVAL_SRC_POS);
6414 if (pLast->m->state == MediumState_Created)
6415 {
6416 hrc = pLast->i_markForDeletion();
6417 if (FAILED(hrc))
6418 throw hrc;
6419 }
6420 else
6421 throw pLast->i_setStateError();
6422 }
6423
6424 /* Tweak the lock list in the backward merge case, as the target
6425 * isn't marked to be locked for writing yet. */
6426 if (!fMergeForward)
6427 {
6428 MediumLockList::Base::iterator lockListBegin =
6429 aMediumLockList->GetBegin();
6430 MediumLockList::Base::iterator lockListEnd =
6431 aMediumLockList->GetEnd();
6432 ++lockListEnd;
6433 for (MediumLockList::Base::iterator it = lockListBegin;
6434 it != lockListEnd;
6435 ++it)
6436 {
6437 MediumLock &mediumLock = *it;
6438 if (mediumLock.GetMedium() == pTarget)
6439 {
6440 HRESULT hrc2 = mediumLock.UpdateLock(true);
6441 AssertComRC(hrc2);
6442 break;
6443 }
6444 }
6445 }
6446
6447 if (fLockMedia)
6448 {
6449 targetCaller.release();
6450 autoCaller.release();
6451 treeLock.release();
6452 hrc = aMediumLockList->Lock();
6453 treeLock.acquire();
6454 autoCaller.add();
6455 AssertComRCThrowRC(autoCaller.hrc());
6456 targetCaller.add();
6457 AssertComRCThrowRC(targetCaller.hrc());
6458 if (FAILED(hrc))
6459 {
6460 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
6461 throw setError(hrc,
6462 tr("Failed to lock media when merging to '%s'"),
6463 pTarget->i_getLocationFull().c_str());
6464 }
6465 }
6466 }
6467 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6468
6469 if (FAILED(hrc))
6470 {
6471 if (aMediumLockList)
6472 {
6473 delete aMediumLockList;
6474 aMediumLockList = NULL;
6475 }
6476 if (aChildrenToReparent)
6477 {
6478 delete aChildrenToReparent;
6479 aChildrenToReparent = NULL;
6480 }
6481 }
6482
6483 return hrc;
6484}
6485
6486/**
6487 * Merges this medium to the specified medium which must be either its
6488 * direct ancestor or descendant.
6489 *
6490 * Given this medium is SOURCE and the specified medium is TARGET, we will
6491 * get two variants of the merge operation:
6492 *
6493 * forward merge
6494 * ------------------------->
6495 * [Extra] <- SOURCE <- Intermediate <- TARGET
6496 * Any Del Del LockWr
6497 *
6498 *
6499 * backward merge
6500 * <-------------------------
6501 * TARGET <- Intermediate <- SOURCE <- [Extra]
6502 * LockWr Del Del LockWr
6503 *
6504 * Each diagram shows the involved media on the media chain where
6505 * SOURCE and TARGET belong. Under each medium there is a state value which
6506 * the medium must have at a time of the mergeTo() call.
6507 *
6508 * The media in the square braces may be absent (e.g. when the forward
6509 * operation takes place and SOURCE is the base medium, or when the backward
6510 * merge operation takes place and TARGET is the last child in the chain) but if
6511 * they present they are involved too as shown.
6512 *
6513 * Neither the source medium nor intermediate media may be attached to
6514 * any VM directly or in the snapshot, otherwise this method will assert.
6515 *
6516 * The #i_prepareMergeTo() method must be called prior to this method to place
6517 * all involved to necessary states and perform other consistency checks.
6518 *
6519 * If @a aWait is @c true then this method will perform the operation on the
6520 * calling thread and will not return to the caller until the operation is
6521 * completed. When this method succeeds, all intermediate medium objects in
6522 * the chain will be uninitialized, the state of the target medium (and all
6523 * involved extra media) will be restored. @a aMediumLockList will not be
6524 * deleted, whether the operation is successful or not. The caller has to do
6525 * this if appropriate. Note that this (source) medium is not uninitialized
6526 * because of possible AutoCaller instances held by the caller of this method
6527 * on the current thread. It's therefore the responsibility of the caller to
6528 * call Medium::uninit() after releasing all callers.
6529 *
6530 * If @a aWait is @c false then this method will create a thread to perform the
6531 * operation asynchronously and will return immediately. If the operation
6532 * succeeds, the thread will uninitialize the source medium object and all
6533 * intermediate medium objects in the chain, reset the state of the target
6534 * medium (and all involved extra media) and delete @a aMediumLockList.
6535 * If the operation fails, the thread will only reset the states of all
6536 * involved media and delete @a aMediumLockList.
6537 *
6538 * When this method fails (regardless of the @a aWait mode), it is a caller's
6539 * responsibility to undo state changes and delete @a aMediumLockList using
6540 * #i_cancelMergeTo().
6541 *
6542 * If @a aProgress is not NULL but the object it points to is @c null then a new
6543 * progress object will be created and assigned to @a *aProgress on success,
6544 * otherwise the existing progress object is used. If Progress is NULL, then no
6545 * progress object is created/used at all. Note that @a aProgress cannot be
6546 * NULL when @a aWait is @c false (this method will assert in this case).
6547 *
6548 * @param pTarget Target medium.
6549 * @param fMergeForward Merge direction.
6550 * @param pParentForTarget New parent for target medium after merge.
6551 * @param aChildrenToReparent List of children of the source which will have
6552 * to be reparented to the target after merge.
6553 * @param aMediumLockList Medium locking information.
6554 * @param aProgress Where to find/store a Progress object to track operation
6555 * completion.
6556 * @param aWait @c true if this method should block instead of creating
6557 * an asynchronous thread.
6558 * @param aNotify Notify about media for which metadata is changed
6559 * during execution of the function.
6560 *
6561 * @note Locks the tree lock for writing. Locks the media from the chain
6562 * for writing.
6563 */
6564HRESULT Medium::i_mergeTo(const ComObjPtr<Medium> &pTarget,
6565 bool fMergeForward,
6566 const ComObjPtr<Medium> &pParentForTarget,
6567 MediumLockList *aChildrenToReparent,
6568 MediumLockList *aMediumLockList,
6569 ComObjPtr<Progress> *aProgress,
6570 bool aWait, bool aNotify)
6571{
6572 AssertReturn(pTarget != NULL, E_FAIL);
6573 AssertReturn(pTarget != this, E_FAIL);
6574 AssertReturn(aMediumLockList != NULL, E_FAIL);
6575 AssertReturn(aProgress != NULL || aWait == true, E_FAIL);
6576
6577 AutoCaller autoCaller(this);
6578 AssertComRCReturnRC(autoCaller.hrc());
6579
6580 AutoCaller targetCaller(pTarget);
6581 AssertComRCReturnRC(targetCaller.hrc());
6582
6583 HRESULT hrc = S_OK;
6584 ComObjPtr<Progress> pProgress;
6585 Medium::Task *pTask = NULL;
6586
6587 try
6588 {
6589 if (aProgress != NULL)
6590 {
6591 /* use the existing progress object... */
6592 pProgress = *aProgress;
6593
6594 /* ...but create a new one if it is null */
6595 if (pProgress.isNull())
6596 {
6597 Utf8Str tgtName;
6598 {
6599 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
6600 tgtName = pTarget->i_getName();
6601 }
6602
6603 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6604
6605 pProgress.createObject();
6606 hrc = pProgress->init(m->pVirtualBox,
6607 static_cast<IMedium*>(this),
6608 BstrFmt(tr("Merging medium '%s' to '%s'"),
6609 i_getName().c_str(),
6610 tgtName.c_str()).raw(),
6611 TRUE, /* aCancelable */
6612 2, /* Number of opearations */
6613 BstrFmt(tr("Resizing medium '%s' before merge"),
6614 tgtName.c_str()).raw()
6615 );
6616 if (FAILED(hrc))
6617 throw hrc;
6618 }
6619 }
6620
6621 /* setup task object to carry out the operation sync/async */
6622 pTask = new Medium::MergeTask(this, pTarget, fMergeForward,
6623 pParentForTarget, aChildrenToReparent,
6624 pProgress, aMediumLockList,
6625 aWait /* fKeepMediumLockList */,
6626 aNotify);
6627 hrc = pTask->hrc();
6628 AssertComRC(hrc);
6629 if (FAILED(hrc))
6630 throw hrc;
6631 }
6632 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6633
6634 if (SUCCEEDED(hrc))
6635 {
6636 if (aWait)
6637 {
6638 hrc = pTask->runNow();
6639 delete pTask;
6640 }
6641 else
6642 hrc = pTask->createThread();
6643 pTask = NULL;
6644 if (SUCCEEDED(hrc) && aProgress != NULL)
6645 *aProgress = pProgress;
6646 }
6647 else if (pTask != NULL)
6648 delete pTask;
6649
6650 return hrc;
6651}
6652
6653/**
6654 * Undoes what #i_prepareMergeTo() did. Must be called if #mergeTo() is not
6655 * called or fails. Frees memory occupied by @a aMediumLockList and unlocks
6656 * the medium objects in @a aChildrenToReparent.
6657 *
6658 * @param aChildrenToReparent List of children of the source which will have
6659 * to be reparented to the target after merge.
6660 * @param aMediumLockList Medium locking information.
6661 *
6662 * @note Locks the tree lock for writing. Locks the media from the chain
6663 * for writing.
6664 */
6665void Medium::i_cancelMergeTo(MediumLockList *aChildrenToReparent,
6666 MediumLockList *aMediumLockList)
6667{
6668 AutoCaller autoCaller(this);
6669 AssertComRCReturnVoid(autoCaller.hrc());
6670
6671 AssertReturnVoid(aMediumLockList != NULL);
6672
6673 /* Revert media marked for deletion to previous state. */
6674 MediumLockList::Base::const_iterator mediumListBegin =
6675 aMediumLockList->GetBegin();
6676 MediumLockList::Base::const_iterator mediumListEnd =
6677 aMediumLockList->GetEnd();
6678 for (MediumLockList::Base::const_iterator it = mediumListBegin;
6679 it != mediumListEnd;
6680 ++it)
6681 {
6682 const MediumLock &mediumLock = *it;
6683 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
6684 AutoWriteLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
6685
6686 if (pMedium->m->state == MediumState_Deleting)
6687 {
6688 HRESULT hrc = pMedium->i_unmarkForDeletion();
6689 AssertComRC(hrc);
6690 }
6691 else if ( ( pMedium->m->state == MediumState_LockedWrite
6692 || pMedium->m->state == MediumState_LockedRead)
6693 && pMedium->m->preLockState == MediumState_Deleting)
6694 {
6695 HRESULT hrc = pMedium->i_unmarkLockedForDeletion();
6696 AssertComRC(hrc);
6697 }
6698 }
6699
6700 /* the destructor will do the work */
6701 delete aMediumLockList;
6702
6703 /* unlock the children which had to be reparented, the destructor will do
6704 * the work */
6705 if (aChildrenToReparent)
6706 delete aChildrenToReparent;
6707}
6708
6709/**
6710 * Resizes the media.
6711 *
6712 * If @a aWait is @c true then this method will perform the operation on the
6713 * calling thread and will not return to the caller until the operation is
6714 * completed. When this method succeeds, the state of the target medium (and all
6715 * involved extra media) will be restored. @a aMediumLockList will not be
6716 * deleted, whether the operation is successful or not. The caller has to do
6717 * this if appropriate.
6718 *
6719 * If @a aWait is @c false then this method will create a thread to perform the
6720 * operation asynchronously and will return immediately. The thread will reset
6721 * the state of the target medium (and all involved extra media) and delete
6722 * @a aMediumLockList.
6723 *
6724 * When this method fails (regardless of the @a aWait mode), it is a caller's
6725 * responsibility to undo state changes and delete @a aMediumLockList.
6726 *
6727 * If @a aProgress is not NULL but the object it points to is @c null then a new
6728 * progress object will be created and assigned to @a *aProgress on success,
6729 * otherwise the existing progress object is used. If Progress is NULL, then no
6730 * progress object is created/used at all. Note that @a aProgress cannot be
6731 * NULL when @a aWait is @c false (this method will assert in this case).
6732 *
6733 * @param aLogicalSize New nominal capacity of the medium in bytes.
6734 * @param aMediumLockList Medium locking information.
6735 * @param aProgress Where to find/store a Progress object to track operation
6736 * completion.
6737 * @param aWait @c true if this method should block instead of creating
6738 * an asynchronous thread.
6739 * @param aNotify Notify about media for which metadata is changed
6740 * during execution of the function.
6741 *
6742 * @note Locks the media from the chain for writing.
6743 */
6744
6745HRESULT Medium::i_resize(uint64_t aLogicalSize,
6746 MediumLockList *aMediumLockList,
6747 ComObjPtr<Progress> *aProgress,
6748 bool aWait,
6749 bool aNotify)
6750{
6751 AssertReturn(aMediumLockList != NULL, E_FAIL);
6752 AssertReturn(aProgress != NULL || aWait == true, E_FAIL);
6753
6754 AutoCaller autoCaller(this);
6755 AssertComRCReturnRC(autoCaller.hrc());
6756
6757 HRESULT hrc = S_OK;
6758 ComObjPtr<Progress> pProgress;
6759 Medium::Task *pTask = NULL;
6760
6761 try
6762 {
6763 if (aProgress != NULL)
6764 {
6765 /* use the existing progress object... */
6766 pProgress = *aProgress;
6767
6768 /* ...but create a new one if it is null */
6769 if (pProgress.isNull())
6770 {
6771 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6772
6773 pProgress.createObject();
6774 hrc = pProgress->init(m->pVirtualBox,
6775 static_cast <IMedium *>(this),
6776 BstrFmt(tr("Resizing medium '%s'"), m->strLocationFull.c_str()).raw(),
6777 TRUE /* aCancelable */);
6778 if (FAILED(hrc))
6779 throw hrc;
6780 }
6781 }
6782
6783 /* setup task object to carry out the operation asynchronously */
6784 pTask = new Medium::ResizeTask(this,
6785 aLogicalSize,
6786 pProgress,
6787 aMediumLockList,
6788 aWait /* fKeepMediumLockList */,
6789 aNotify);
6790 hrc = pTask->hrc();
6791 AssertComRC(hrc);
6792 if (FAILED(hrc))
6793 throw hrc;
6794 }
6795 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6796
6797 if (SUCCEEDED(hrc))
6798 {
6799 if (aWait)
6800 {
6801 hrc = pTask->runNow();
6802 delete pTask;
6803 }
6804 else
6805 hrc = pTask->createThread();
6806 pTask = NULL;
6807 if (SUCCEEDED(hrc) && aProgress != NULL)
6808 *aProgress = pProgress;
6809 }
6810 else if (pTask != NULL)
6811 delete pTask;
6812
6813 return hrc;
6814}
6815
6816/**
6817 * Fix the parent UUID of all children to point to this medium as their
6818 * parent.
6819 */
6820HRESULT Medium::i_fixParentUuidOfChildren(MediumLockList *pChildrenToReparent)
6821{
6822 /** @todo r=klaus The code below needs to be double checked with regard
6823 * to lock order violations, it probably causes lock order issues related
6824 * to the AutoCaller usage. Likewise the code using this method seems
6825 * problematic. */
6826 Assert(!isWriteLockOnCurrentThread());
6827 Assert(!m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
6828 MediumLockList mediumLockList;
6829 HRESULT hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
6830 NULL /* pToLockWrite */,
6831 false /* fMediumLockWriteAll */,
6832 this,
6833 mediumLockList);
6834 AssertComRCReturnRC(hrc);
6835
6836 try
6837 {
6838 PVDISK hdd;
6839 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
6840 ComAssertRCThrow(vrc, E_FAIL);
6841
6842 try
6843 {
6844 MediumLockList::Base::iterator lockListBegin =
6845 mediumLockList.GetBegin();
6846 MediumLockList::Base::iterator lockListEnd =
6847 mediumLockList.GetEnd();
6848 for (MediumLockList::Base::iterator it = lockListBegin;
6849 it != lockListEnd;
6850 ++it)
6851 {
6852 MediumLock &mediumLock = *it;
6853 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
6854 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
6855
6856 // open the medium
6857 vrc = VDOpen(hdd,
6858 pMedium->m->strFormat.c_str(),
6859 pMedium->m->strLocationFull.c_str(),
6860 VD_OPEN_FLAGS_READONLY | m->uOpenFlagsDef,
6861 pMedium->m->vdImageIfaces);
6862 if (RT_FAILURE(vrc))
6863 throw vrc;
6864 }
6865
6866 MediumLockList::Base::iterator childrenBegin = pChildrenToReparent->GetBegin();
6867 MediumLockList::Base::iterator childrenEnd = pChildrenToReparent->GetEnd();
6868 for (MediumLockList::Base::iterator it = childrenBegin;
6869 it != childrenEnd;
6870 ++it)
6871 {
6872 Medium *pMedium = it->GetMedium();
6873 /* VD_OPEN_FLAGS_INFO since UUID is wrong yet */
6874 vrc = VDOpen(hdd,
6875 pMedium->m->strFormat.c_str(),
6876 pMedium->m->strLocationFull.c_str(),
6877 VD_OPEN_FLAGS_INFO | m->uOpenFlagsDef,
6878 pMedium->m->vdImageIfaces);
6879 if (RT_FAILURE(vrc))
6880 throw vrc;
6881
6882 vrc = VDSetParentUuid(hdd, VD_LAST_IMAGE, m->id.raw());
6883 if (RT_FAILURE(vrc))
6884 throw vrc;
6885
6886 vrc = VDClose(hdd, false /* fDelete */);
6887 if (RT_FAILURE(vrc))
6888 throw vrc;
6889 }
6890 }
6891 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6892 catch (int vrcXcpt)
6893 {
6894 hrc = setErrorBoth(E_FAIL, vrcXcpt,
6895 tr("Could not update medium UUID references to parent '%s' (%s)"),
6896 m->strLocationFull.c_str(),
6897 i_vdError(vrcXcpt).c_str());
6898 }
6899
6900 VDDestroy(hdd);
6901 }
6902 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
6903
6904 return hrc;
6905}
6906
6907/**
6908 *
6909 * @note Similar code exists in i_taskExportHandler.
6910 */
6911HRESULT Medium::i_addRawToFss(const char *aFilename, SecretKeyStore *pKeyStore, RTVFSFSSTREAM hVfsFssDst,
6912 const ComObjPtr<Progress> &aProgress, bool fSparse)
6913{
6914 AutoCaller autoCaller(this);
6915 HRESULT hrc = autoCaller.hrc();
6916 if (SUCCEEDED(hrc))
6917 {
6918 /*
6919 * Get a readonly hdd for this medium.
6920 */
6921 MediumCryptoFilterSettings CryptoSettingsRead;
6922 MediumLockList SourceMediumLockList;
6923 PVDISK pHdd;
6924 hrc = i_openForIO(false /*fWritable*/, pKeyStore, &pHdd, &SourceMediumLockList, &CryptoSettingsRead);
6925 if (SUCCEEDED(hrc))
6926 {
6927 /*
6928 * Create a VFS file interface to the HDD and attach a progress wrapper
6929 * that monitors the progress reading of the raw image. The image will
6930 * be read twice if hVfsFssDst does sparse processing.
6931 */
6932 RTVFSFILE hVfsFileDisk = NIL_RTVFSFILE;
6933 int vrc = VDCreateVfsFileFromDisk(pHdd, 0 /*fFlags*/, &hVfsFileDisk);
6934 if (RT_SUCCESS(vrc))
6935 {
6936 RTVFSFILE hVfsFileProgress = NIL_RTVFSFILE;
6937 vrc = RTVfsCreateProgressForFile(hVfsFileDisk, aProgress->i_iprtProgressCallback, &*aProgress,
6938 RTVFSPROGRESS_F_CANCELABLE | RTVFSPROGRESS_F_FORWARD_SEEK_AS_READ,
6939 VDGetSize(pHdd, VD_LAST_IMAGE) * (fSparse ? 2 : 1) /*cbExpectedRead*/,
6940 0 /*cbExpectedWritten*/, &hVfsFileProgress);
6941 RTVfsFileRelease(hVfsFileDisk);
6942 if (RT_SUCCESS(vrc))
6943 {
6944 RTVFSOBJ hVfsObj = RTVfsObjFromFile(hVfsFileProgress);
6945 RTVfsFileRelease(hVfsFileProgress);
6946
6947 vrc = RTVfsFsStrmAdd(hVfsFssDst, aFilename, hVfsObj, 0 /*fFlags*/);
6948 RTVfsObjRelease(hVfsObj);
6949 if (RT_FAILURE(vrc))
6950 hrc = setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("Failed to add '%s' to output (%Rrc)"), aFilename, vrc);
6951 }
6952 else
6953 hrc = setErrorBoth(VBOX_E_FILE_ERROR, vrc,
6954 tr("RTVfsCreateProgressForFile failed when processing '%s' (%Rrc)"), aFilename, vrc);
6955 }
6956 else
6957 hrc = setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("VDCreateVfsFileFromDisk failed for '%s' (%Rrc)"), aFilename, vrc);
6958 VDDestroy(pHdd);
6959 }
6960 }
6961 return hrc;
6962}
6963
6964/**
6965 * Used by IAppliance to export disk images.
6966 *
6967 * @param aFilename Filename to create (UTF8).
6968 * @param aFormat Medium format for creating @a aFilename.
6969 * @param aVariant Which exact image format variant to use for the
6970 * destination image.
6971 * @param pKeyStore The optional key store for decrypting the data for
6972 * encrypted media during the export.
6973 * @param hVfsIosDst The destination I/O stream object.
6974 * @param aProgress Progress object to use.
6975 * @return
6976 *
6977 * @note The source format is defined by the Medium instance.
6978 */
6979HRESULT Medium::i_exportFile(const char *aFilename,
6980 const ComObjPtr<MediumFormat> &aFormat,
6981 MediumVariant_T aVariant,
6982 SecretKeyStore *pKeyStore,
6983 RTVFSIOSTREAM hVfsIosDst,
6984 const ComObjPtr<Progress> &aProgress)
6985{
6986 AssertPtrReturn(aFilename, E_INVALIDARG);
6987 AssertReturn(aFormat.isNotNull(), E_INVALIDARG);
6988 AssertReturn(aProgress.isNotNull(), E_INVALIDARG);
6989
6990 AutoCaller autoCaller(this);
6991 HRESULT hrc = autoCaller.hrc();
6992 if (SUCCEEDED(hrc))
6993 {
6994 /*
6995 * Setup VD interfaces.
6996 */
6997 PVDINTERFACE pVDImageIfaces = m->vdImageIfaces;
6998 PVDINTERFACEIO pVfsIoIf;
6999 int vrc = VDIfCreateFromVfsStream(hVfsIosDst, RTFILE_O_WRITE, &pVfsIoIf);
7000 if (RT_SUCCESS(vrc))
7001 {
7002 vrc = VDInterfaceAdd(&pVfsIoIf->Core, "Medium::ExportTaskVfsIos", VDINTERFACETYPE_IO,
7003 pVfsIoIf, sizeof(VDINTERFACEIO), &pVDImageIfaces);
7004 if (RT_SUCCESS(vrc))
7005 {
7006 /*
7007 * Get a readonly hdd for this medium (source).
7008 */
7009 MediumCryptoFilterSettings CryptoSettingsRead;
7010 MediumLockList SourceMediumLockList;
7011 PVDISK pSrcHdd;
7012 hrc = i_openForIO(false /*fWritable*/, pKeyStore, &pSrcHdd, &SourceMediumLockList, &CryptoSettingsRead);
7013 if (SUCCEEDED(hrc))
7014 {
7015 /*
7016 * Create the target medium.
7017 */
7018 Utf8Str strDstFormat(aFormat->i_getId());
7019
7020 /* ensure the target directory exists */
7021 uint64_t fDstCapabilities = aFormat->i_getCapabilities();
7022 if (fDstCapabilities & MediumFormatCapabilities_File)
7023 {
7024 Utf8Str strDstLocation(aFilename);
7025 hrc = VirtualBox::i_ensureFilePathExists(strDstLocation.c_str(),
7026 !(aVariant & MediumVariant_NoCreateDir) /* fCreate */);
7027 }
7028 if (SUCCEEDED(hrc))
7029 {
7030 PVDISK pDstHdd;
7031 vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &pDstHdd);
7032 if (RT_SUCCESS(vrc))
7033 {
7034 /*
7035 * Create an interface for getting progress callbacks.
7036 */
7037 VDINTERFACEPROGRESS ProgressIf = VDINTERFACEPROGRESS_INITALIZER(aProgress->i_vdProgressCallback);
7038 PVDINTERFACE pProgress = NULL;
7039 vrc = VDInterfaceAdd(&ProgressIf.Core, "export-progress", VDINTERFACETYPE_PROGRESS,
7040 &*aProgress, sizeof(ProgressIf), &pProgress);
7041 AssertRC(vrc);
7042
7043 /*
7044 * Do the exporting.
7045 */
7046 vrc = VDCopy(pSrcHdd,
7047 VD_LAST_IMAGE,
7048 pDstHdd,
7049 strDstFormat.c_str(),
7050 aFilename,
7051 false /* fMoveByRename */,
7052 0 /* cbSize */,
7053 aVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk),
7054 NULL /* pDstUuid */,
7055 VD_OPEN_FLAGS_NORMAL | VD_OPEN_FLAGS_SEQUENTIAL,
7056 pProgress,
7057 pVDImageIfaces,
7058 NULL);
7059 if (RT_SUCCESS(vrc))
7060 hrc = S_OK;
7061 else
7062 hrc = setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("Could not create the exported medium '%s'%s"),
7063 aFilename, i_vdError(vrc).c_str());
7064 VDDestroy(pDstHdd);
7065 }
7066 else
7067 hrc = setErrorVrc(vrc);
7068 }
7069 }
7070 VDDestroy(pSrcHdd);
7071 }
7072 else
7073 hrc = setErrorVrc(vrc, "VDInterfaceAdd -> %Rrc", vrc);
7074 VDIfDestroyFromVfsStream(pVfsIoIf);
7075 }
7076 else
7077 hrc = setErrorVrc(vrc, "VDIfCreateFromVfsStream -> %Rrc", vrc);
7078 }
7079 return hrc;
7080}
7081
7082/**
7083 * Used by IAppliance to import disk images.
7084 *
7085 * @param aFilename Filename to read (UTF8).
7086 * @param aFormat Medium format for reading @a aFilename.
7087 * @param aVariant Which exact image format variant to use
7088 * for the destination image.
7089 * @param aVfsIosSrc Handle to the source I/O stream.
7090 * @param aParent Parent medium. May be NULL.
7091 * @param aProgress Progress object to use.
7092 * @param aNotify Notify about media for which metadata is changed
7093 * during execution of the function.
7094 * @return
7095 * @note The destination format is defined by the Medium instance.
7096 *
7097 * @todo The only consumer of this method (Appliance::i_importOneDiskImage) is
7098 * already on a worker thread, so perhaps consider bypassing the thread
7099 * here and run in the task synchronously? VBoxSVC has enough threads as
7100 * it is...
7101 */
7102HRESULT Medium::i_importFile(const char *aFilename,
7103 const ComObjPtr<MediumFormat> &aFormat,
7104 MediumVariant_T aVariant,
7105 RTVFSIOSTREAM aVfsIosSrc,
7106 const ComObjPtr<Medium> &aParent,
7107 const ComObjPtr<Progress> &aProgress,
7108 bool aNotify)
7109{
7110 /** @todo r=klaus The code below needs to be double checked with regard
7111 * to lock order violations, it probably causes lock order issues related
7112 * to the AutoCaller usage. */
7113 AssertPtrReturn(aFilename, E_INVALIDARG);
7114 AssertReturn(!aFormat.isNull(), E_INVALIDARG);
7115 AssertReturn(!aProgress.isNull(), E_INVALIDARG);
7116
7117 AutoCaller autoCaller(this);
7118 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
7119
7120 HRESULT hrc = S_OK;
7121 Medium::Task *pTask = NULL;
7122
7123 try
7124 {
7125 // locking: we need the tree lock first because we access parent pointers
7126 // and we need to write-lock the media involved
7127 uint32_t cHandles = 2;
7128 LockHandle* pHandles[3] = { &m->pVirtualBox->i_getMediaTreeLockHandle(),
7129 this->lockHandle() };
7130 /* Only add parent to the lock if it is not null */
7131 if (!aParent.isNull())
7132 pHandles[cHandles++] = aParent->lockHandle();
7133 AutoWriteLock alock(cHandles,
7134 pHandles
7135 COMMA_LOCKVAL_SRC_POS);
7136
7137 if ( m->state != MediumState_NotCreated
7138 && m->state != MediumState_Created)
7139 throw i_setStateError();
7140
7141 /* Build the target lock list. */
7142 MediumLockList *pTargetMediumLockList(new MediumLockList());
7143 alock.release();
7144 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
7145 this /* pToLockWrite */,
7146 false /* fMediumLockWriteAll */,
7147 aParent,
7148 *pTargetMediumLockList);
7149 alock.acquire();
7150 if (FAILED(hrc))
7151 {
7152 delete pTargetMediumLockList;
7153 throw hrc;
7154 }
7155
7156 alock.release();
7157 hrc = pTargetMediumLockList->Lock();
7158 alock.acquire();
7159 if (FAILED(hrc))
7160 {
7161 delete pTargetMediumLockList;
7162 throw setError(hrc,
7163 tr("Failed to lock target media '%s'"),
7164 i_getLocationFull().c_str());
7165 }
7166
7167 /* setup task object to carry out the operation asynchronously */
7168 pTask = new Medium::ImportTask(this, aProgress, aFilename, aFormat, aVariant,
7169 aVfsIosSrc, aParent, pTargetMediumLockList, false, aNotify);
7170 hrc = pTask->hrc();
7171 AssertComRC(hrc);
7172 if (FAILED(hrc))
7173 throw hrc;
7174
7175 if (m->state == MediumState_NotCreated)
7176 m->state = MediumState_Creating;
7177 }
7178 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
7179
7180 if (SUCCEEDED(hrc))
7181 {
7182 hrc = pTask->createThread();
7183 pTask = NULL;
7184 }
7185 else if (pTask != NULL)
7186 delete pTask;
7187
7188 return hrc;
7189}
7190
7191/**
7192 * Internal version of the public CloneTo API which allows to enable certain
7193 * optimizations to improve speed during VM cloning.
7194 *
7195 * @param aTarget Target medium
7196 * @param aVariant Which exact image format variant to use
7197 * for the destination image.
7198 * @param aParent Parent medium. May be NULL.
7199 * @param aProgress Progress object to use.
7200 * @param idxSrcImageSame The last image in the source chain which has the
7201 * same content as the given image in the destination
7202 * chain. Use UINT32_MAX to disable this optimization.
7203 * @param idxDstImageSame The last image in the destination chain which has the
7204 * same content as the given image in the source chain.
7205 * Use UINT32_MAX to disable this optimization.
7206 * @param aNotify Notify about media for which metadata is changed
7207 * during execution of the function.
7208 * @return
7209 */
7210HRESULT Medium::i_cloneToEx(const ComObjPtr<Medium> &aTarget, MediumVariant_T aVariant,
7211 const ComObjPtr<Medium> &aParent, IProgress **aProgress,
7212 uint32_t idxSrcImageSame, uint32_t idxDstImageSame, bool aNotify)
7213{
7214 /** @todo r=klaus The code below needs to be double checked with regard
7215 * to lock order violations, it probably causes lock order issues related
7216 * to the AutoCaller usage. */
7217 CheckComArgNotNull(aTarget);
7218 CheckComArgOutPointerValid(aProgress);
7219 ComAssertRet(aTarget != this, E_INVALIDARG);
7220
7221 AutoCaller autoCaller(this);
7222 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
7223
7224 HRESULT hrc = S_OK;
7225 ComObjPtr<Progress> pProgress;
7226 Medium::Task *pTask = NULL;
7227
7228 try
7229 {
7230 // locking: we need the tree lock first because we access parent pointers
7231 // and we need to write-lock the media involved
7232 uint32_t cHandles = 3;
7233 LockHandle* pHandles[4] = { &m->pVirtualBox->i_getMediaTreeLockHandle(),
7234 this->lockHandle(),
7235 aTarget->lockHandle() };
7236 /* Only add parent to the lock if it is not null */
7237 if (!aParent.isNull())
7238 pHandles[cHandles++] = aParent->lockHandle();
7239 AutoWriteLock alock(cHandles,
7240 pHandles
7241 COMMA_LOCKVAL_SRC_POS);
7242
7243 if ( aTarget->m->state != MediumState_NotCreated
7244 && aTarget->m->state != MediumState_Created)
7245 throw aTarget->i_setStateError();
7246
7247 /* Build the source lock list. */
7248 MediumLockList *pSourceMediumLockList(new MediumLockList());
7249 alock.release();
7250 hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
7251 NULL /* pToLockWrite */,
7252 false /* fMediumLockWriteAll */,
7253 NULL,
7254 *pSourceMediumLockList);
7255 alock.acquire();
7256 if (FAILED(hrc))
7257 {
7258 delete pSourceMediumLockList;
7259 throw hrc;
7260 }
7261
7262 /* Build the target lock list (including the to-be parent chain). */
7263 MediumLockList *pTargetMediumLockList(new MediumLockList());
7264 alock.release();
7265 hrc = aTarget->i_createMediumLockList(true /* fFailIfInaccessible */,
7266 aTarget /* pToLockWrite */,
7267 false /* fMediumLockWriteAll */,
7268 aParent,
7269 *pTargetMediumLockList);
7270 alock.acquire();
7271 if (FAILED(hrc))
7272 {
7273 delete pSourceMediumLockList;
7274 delete pTargetMediumLockList;
7275 throw hrc;
7276 }
7277
7278 alock.release();
7279 hrc = pSourceMediumLockList->Lock();
7280 alock.acquire();
7281 if (FAILED(hrc))
7282 {
7283 delete pSourceMediumLockList;
7284 delete pTargetMediumLockList;
7285 throw setError(hrc,
7286 tr("Failed to lock source media '%s'"),
7287 i_getLocationFull().c_str());
7288 }
7289 alock.release();
7290 hrc = pTargetMediumLockList->Lock();
7291 alock.acquire();
7292 if (FAILED(hrc))
7293 {
7294 delete pSourceMediumLockList;
7295 delete pTargetMediumLockList;
7296 throw setError(hrc,
7297 tr("Failed to lock target media '%s'"),
7298 aTarget->i_getLocationFull().c_str());
7299 }
7300
7301 pProgress.createObject();
7302 hrc = pProgress->init(m->pVirtualBox,
7303 static_cast <IMedium *>(this),
7304 BstrFmt(tr("Creating clone medium '%s'"), aTarget->m->strLocationFull.c_str()).raw(),
7305 TRUE /* aCancelable */);
7306 if (FAILED(hrc))
7307 {
7308 delete pSourceMediumLockList;
7309 delete pTargetMediumLockList;
7310 throw hrc;
7311 }
7312
7313 /* setup task object to carry out the operation asynchronously */
7314 pTask = new Medium::CloneTask(this, pProgress, aTarget, aVariant,
7315 aParent, idxSrcImageSame,
7316 idxDstImageSame, pSourceMediumLockList,
7317 pTargetMediumLockList, false, false, aNotify);
7318 hrc = pTask->hrc();
7319 AssertComRC(hrc);
7320 if (FAILED(hrc))
7321 throw hrc;
7322
7323 if (aTarget->m->state == MediumState_NotCreated)
7324 aTarget->m->state = MediumState_Creating;
7325 }
7326 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
7327
7328 if (SUCCEEDED(hrc))
7329 {
7330 hrc = pTask->createThread();
7331 pTask = NULL;
7332 if (SUCCEEDED(hrc))
7333 pProgress.queryInterfaceTo(aProgress);
7334 }
7335 else if (pTask != NULL)
7336 delete pTask;
7337
7338 return hrc;
7339}
7340
7341/**
7342 * Returns the key identifier for this medium if encryption is configured.
7343 *
7344 * @returns Key identifier or empty string if no encryption is configured.
7345 */
7346const Utf8Str& Medium::i_getKeyId()
7347{
7348 ComObjPtr<Medium> pBase = i_getBase();
7349
7350 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
7351
7352 settings::StringsMap::const_iterator it = pBase->m->mapProperties.find("CRYPT/KeyId");
7353 if (it == pBase->m->mapProperties.end())
7354 return Utf8Str::Empty;
7355
7356 return it->second;
7357}
7358
7359
7360/**
7361 * Returns all filter related properties.
7362 *
7363 * @returns COM status code.
7364 * @param aReturnNames Where to store the properties names on success.
7365 * @param aReturnValues Where to store the properties values on success.
7366 */
7367HRESULT Medium::i_getFilterProperties(std::vector<com::Utf8Str> &aReturnNames,
7368 std::vector<com::Utf8Str> &aReturnValues)
7369{
7370 std::vector<com::Utf8Str> aPropNames;
7371 std::vector<com::Utf8Str> aPropValues;
7372 HRESULT hrc = getProperties(Utf8Str(""), aPropNames, aPropValues);
7373
7374 if (SUCCEEDED(hrc))
7375 {
7376 unsigned cReturnSize = 0;
7377 aReturnNames.resize(0);
7378 aReturnValues.resize(0);
7379 for (unsigned idx = 0; idx < aPropNames.size(); idx++)
7380 {
7381 if (i_isPropertyForFilter(aPropNames[idx]))
7382 {
7383 aReturnNames.resize(cReturnSize + 1);
7384 aReturnValues.resize(cReturnSize + 1);
7385 aReturnNames[cReturnSize] = aPropNames[idx];
7386 aReturnValues[cReturnSize] = aPropValues[idx];
7387 cReturnSize++;
7388 }
7389 }
7390 }
7391
7392 return hrc;
7393}
7394
7395/**
7396 * Preparation to move this medium to a new location
7397 *
7398 * @param aLocation Location of the storage unit. If the location is a FS-path,
7399 * then it can be relative to the VirtualBox home directory.
7400 *
7401 * @note Must be called from under this object's write lock.
7402 */
7403HRESULT Medium::i_preparationForMoving(const Utf8Str &aLocation)
7404{
7405 HRESULT hrc = E_FAIL;
7406
7407 if (i_getLocationFull() != aLocation)
7408 {
7409 m->strNewLocationFull = aLocation;
7410 m->fMoveThisMedium = true;
7411 hrc = S_OK;
7412 }
7413
7414 return hrc;
7415}
7416
7417/**
7418 * Checking whether current operation "moving" or not
7419 */
7420bool Medium::i_isMoveOperation(const ComObjPtr<Medium> &aTarget) const
7421{
7422 RT_NOREF(aTarget);
7423 return m->fMoveThisMedium;
7424}
7425
7426bool Medium::i_resetMoveOperationData()
7427{
7428 m->strNewLocationFull.setNull();
7429 m->fMoveThisMedium = false;
7430 return true;
7431}
7432
7433Utf8Str Medium::i_getNewLocationForMoving() const
7434{
7435 if (m->fMoveThisMedium == true)
7436 return m->strNewLocationFull;
7437 else
7438 return Utf8Str();
7439}
7440////////////////////////////////////////////////////////////////////////////////
7441//
7442// Private methods
7443//
7444////////////////////////////////////////////////////////////////////////////////
7445
7446/**
7447 * Queries information from the medium.
7448 *
7449 * As a result of this call, the accessibility state and data members such as
7450 * size and description will be updated with the current information.
7451 *
7452 * @note This method may block during a system I/O call that checks storage
7453 * accessibility.
7454 *
7455 * @note Caller MUST NOT hold the media tree or medium lock.
7456 *
7457 * @note Locks m->pParent for reading. Locks this object for writing.
7458 *
7459 * @param fSetImageId Whether to reset the UUID contained in the image file
7460 * to the UUID in the medium instance data (see SetIDs())
7461 * @param fSetParentId Whether to reset the parent UUID contained in the image
7462 * file to the parent UUID in the medium instance data (see
7463 * SetIDs())
7464 * @param autoCaller
7465 * @return
7466 */
7467HRESULT Medium::i_queryInfo(bool fSetImageId, bool fSetParentId, AutoCaller &autoCaller)
7468{
7469 Assert(!isWriteLockOnCurrentThread());
7470 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7471
7472 if ( ( m->state != MediumState_Created
7473 && m->state != MediumState_Inaccessible
7474 && m->state != MediumState_LockedRead)
7475 || m->fClosing)
7476 return E_FAIL;
7477
7478 HRESULT hrc = S_OK;
7479
7480 int vrc = VINF_SUCCESS;
7481
7482 /* check if a blocking i_queryInfo() call is in progress on some other thread,
7483 * and wait for it to finish if so instead of querying data ourselves */
7484 if (m->queryInfoRunning)
7485 {
7486 Assert( m->state == MediumState_LockedRead
7487 || m->state == MediumState_LockedWrite);
7488
7489 while (m->queryInfoRunning)
7490 {
7491 alock.release();
7492 /* must not hold the object lock now */
7493 Assert(!isWriteLockOnCurrentThread());
7494 {
7495 AutoReadLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
7496 }
7497 alock.acquire();
7498 }
7499
7500 return S_OK;
7501 }
7502
7503 bool success = false;
7504 Utf8Str lastAccessError;
7505
7506 /* are we dealing with a new medium constructed using the existing
7507 * location? */
7508 bool isImport = m->id.isZero();
7509 unsigned uOpenFlags = VD_OPEN_FLAGS_INFO;
7510
7511 /* Note that we don't use VD_OPEN_FLAGS_READONLY when opening new
7512 * media because that would prevent necessary modifications
7513 * when opening media of some third-party formats for the first
7514 * time in VirtualBox (such as VMDK for which VDOpen() needs to
7515 * generate an UUID if it is missing) */
7516 if ( m->hddOpenMode == OpenReadOnly
7517 || m->type == MediumType_Readonly
7518 || (!isImport && !fSetImageId && !fSetParentId)
7519 )
7520 uOpenFlags |= VD_OPEN_FLAGS_READONLY;
7521
7522 /* Open shareable medium with the appropriate flags */
7523 if (m->type == MediumType_Shareable)
7524 uOpenFlags |= VD_OPEN_FLAGS_SHAREABLE;
7525
7526 /* Lock the medium, which makes the behavior much more consistent, must be
7527 * done before dropping the object lock and setting queryInfoRunning. */
7528 ComPtr<IToken> pToken;
7529 if (uOpenFlags & (VD_OPEN_FLAGS_READONLY | VD_OPEN_FLAGS_SHAREABLE))
7530 hrc = LockRead(pToken.asOutParam());
7531 else
7532 hrc = LockWrite(pToken.asOutParam());
7533 if (FAILED(hrc)) return hrc;
7534
7535 /* Copies of the input state fields which are not read-only,
7536 * as we're dropping the lock. CAUTION: be extremely careful what
7537 * you do with the contents of this medium object, as you will
7538 * create races if there are concurrent changes. */
7539 Utf8Str format(m->strFormat);
7540 Utf8Str location(m->strLocationFull);
7541 ComObjPtr<MediumFormat> formatObj = m->formatObj;
7542
7543 /* "Output" values which can't be set because the lock isn't held
7544 * at the time the values are determined. */
7545 Guid mediumId = m->id;
7546 uint64_t mediumSize = 0;
7547 uint64_t mediumLogicalSize = 0;
7548
7549 /* Flag whether a base image has a non-zero parent UUID and thus
7550 * need repairing after it was closed again. */
7551 bool fRepairImageZeroParentUuid = false;
7552
7553 ComObjPtr<VirtualBox> pVirtualBox = m->pVirtualBox;
7554
7555 /* must be set before leaving the object lock the first time */
7556 m->queryInfoRunning = true;
7557
7558 /* must leave object lock now, because a lock from a higher lock class
7559 * is needed and also a lengthy operation is coming */
7560 alock.release();
7561 autoCaller.release();
7562
7563 /* Note that taking the queryInfoSem after leaving the object lock above
7564 * can lead to short spinning of the loops waiting for i_queryInfo() to
7565 * complete. This is unavoidable since the other order causes a lock order
7566 * violation: here it would be requesting the object lock (at the beginning
7567 * of the method), then queryInfoSem, and below the other way round. */
7568 AutoWriteLock qlock(m->queryInfoSem COMMA_LOCKVAL_SRC_POS);
7569
7570 /* take the opportunity to have a media tree lock, released initially */
7571 Assert(!isWriteLockOnCurrentThread());
7572 Assert(!pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
7573 AutoWriteLock treeLock(pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
7574 treeLock.release();
7575
7576 /* re-take the caller, but not the object lock, to keep uninit away */
7577 autoCaller.add();
7578 if (FAILED(autoCaller.hrc()))
7579 {
7580 m->queryInfoRunning = false;
7581 return autoCaller.hrc();
7582 }
7583
7584 try
7585 {
7586 /* skip accessibility checks for host drives */
7587 if (m->hostDrive)
7588 {
7589 success = true;
7590 throw S_OK;
7591 }
7592
7593 PVDISK hdd;
7594 vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
7595 ComAssertRCThrow(vrc, E_FAIL);
7596
7597 try
7598 {
7599 /** @todo This kind of opening of media is assuming that diff
7600 * media can be opened as base media. Should be documented that
7601 * it must work for all medium format backends. */
7602 vrc = VDOpen(hdd,
7603 format.c_str(),
7604 location.c_str(),
7605 uOpenFlags | m->uOpenFlagsDef,
7606 m->vdImageIfaces);
7607 if (RT_FAILURE(vrc))
7608 {
7609 lastAccessError = Utf8StrFmt(tr("Could not open the medium '%s'%s"),
7610 location.c_str(), i_vdError(vrc).c_str());
7611 throw S_OK;
7612 }
7613
7614 if (formatObj->i_getCapabilities() & MediumFormatCapabilities_Uuid)
7615 {
7616 /* Modify the UUIDs if necessary. The associated fields are
7617 * not modified by other code, so no need to copy. */
7618 if (fSetImageId)
7619 {
7620 alock.acquire();
7621 vrc = VDSetUuid(hdd, 0, m->uuidImage.raw());
7622 alock.release();
7623 if (RT_FAILURE(vrc))
7624 {
7625 lastAccessError = Utf8StrFmt(tr("Could not update the UUID of medium '%s'%s"),
7626 location.c_str(), i_vdError(vrc).c_str());
7627 throw S_OK;
7628 }
7629 mediumId = m->uuidImage;
7630 }
7631 if (fSetParentId)
7632 {
7633 alock.acquire();
7634 vrc = VDSetParentUuid(hdd, 0, m->uuidParentImage.raw());
7635 alock.release();
7636 if (RT_FAILURE(vrc))
7637 {
7638 lastAccessError = Utf8StrFmt(tr("Could not update the parent UUID of medium '%s'%s"),
7639 location.c_str(), i_vdError(vrc).c_str());
7640 throw S_OK;
7641 }
7642 }
7643 /* zap the information, these are no long-term members */
7644 alock.acquire();
7645 unconst(m->uuidImage).clear();
7646 unconst(m->uuidParentImage).clear();
7647 alock.release();
7648
7649 /* check the UUID */
7650 RTUUID uuid;
7651 vrc = VDGetUuid(hdd, 0, &uuid);
7652 ComAssertRCThrow(vrc, E_FAIL);
7653
7654 if (isImport)
7655 {
7656 mediumId = uuid;
7657
7658 if (mediumId.isZero() && (m->hddOpenMode == OpenReadOnly))
7659 // only when importing a VDMK that has no UUID, create one in memory
7660 mediumId.create();
7661 }
7662 else
7663 {
7664 Assert(!mediumId.isZero());
7665
7666 if (mediumId != uuid)
7667 {
7668 /** @todo r=klaus this always refers to VirtualBox.xml as the medium registry, even for new VMs */
7669 lastAccessError = Utf8StrFmt(
7670 tr("UUID {%RTuuid} of the medium '%s' does not match the value {%RTuuid} stored in the media registry ('%s')"),
7671 &uuid,
7672 location.c_str(),
7673 mediumId.raw(),
7674 pVirtualBox->i_settingsFilePath().c_str());
7675 throw S_OK;
7676 }
7677 }
7678 }
7679 else
7680 {
7681 /* the backend does not support storing UUIDs within the
7682 * underlying storage so use what we store in XML */
7683
7684 if (fSetImageId)
7685 {
7686 /* set the UUID if an API client wants to change it */
7687 alock.acquire();
7688 mediumId = m->uuidImage;
7689 alock.release();
7690 }
7691 else if (isImport)
7692 {
7693 /* generate an UUID for an imported UUID-less medium */
7694 mediumId.create();
7695 }
7696 }
7697
7698 /* set the image uuid before the below parent uuid handling code
7699 * might place it somewhere in the media tree, so that the medium
7700 * UUID is valid at this point */
7701 alock.acquire();
7702 if (isImport || fSetImageId)
7703 unconst(m->id) = mediumId;
7704 alock.release();
7705
7706 /* get the medium variant */
7707 unsigned uImageFlags;
7708 vrc = VDGetImageFlags(hdd, 0, &uImageFlags);
7709 ComAssertRCThrow(vrc, E_FAIL);
7710 alock.acquire();
7711 m->variant = (MediumVariant_T)uImageFlags;
7712 alock.release();
7713
7714 /* check/get the parent uuid and update corresponding state */
7715 if (uImageFlags & VD_IMAGE_FLAGS_DIFF)
7716 {
7717 RTUUID parentId;
7718 vrc = VDGetParentUuid(hdd, 0, &parentId);
7719 ComAssertRCThrow(vrc, E_FAIL);
7720
7721 /* streamOptimized VMDK images are only accepted as base
7722 * images, as this allows automatic repair of OVF appliances.
7723 * Since such images don't support random writes they will not
7724 * be created for diff images. Only an overly smart user might
7725 * manually create this case. Too bad for him. */
7726 if ( (isImport || fSetParentId)
7727 && !(uImageFlags & VD_VMDK_IMAGE_FLAGS_STREAM_OPTIMIZED))
7728 {
7729 /* the parent must be known to us. Note that we freely
7730 * call locking methods of mVirtualBox and parent, as all
7731 * relevant locks must be already held. There may be no
7732 * concurrent access to the just opened medium on other
7733 * threads yet (and init() will fail if this method reports
7734 * MediumState_Inaccessible) */
7735
7736 ComObjPtr<Medium> pParent;
7737 if (RTUuidIsNull(&parentId))
7738 hrc = VBOX_E_OBJECT_NOT_FOUND;
7739 else
7740 hrc = pVirtualBox->i_findHardDiskById(Guid(parentId), false /* aSetError */, &pParent);
7741 if (FAILED(hrc))
7742 {
7743 if (fSetImageId && !fSetParentId)
7744 {
7745 /* If the image UUID gets changed for an existing
7746 * image then the parent UUID can be stale. In such
7747 * cases clear the parent information. The parent
7748 * information may/will be re-set later if the
7749 * API client wants to adjust a complete medium
7750 * hierarchy one by one. */
7751 hrc = S_OK;
7752 alock.acquire();
7753 RTUuidClear(&parentId);
7754 vrc = VDSetParentUuid(hdd, 0, &parentId);
7755 alock.release();
7756 ComAssertRCThrow(vrc, E_FAIL);
7757 }
7758 else
7759 {
7760 lastAccessError = Utf8StrFmt(tr("Parent medium with UUID {%RTuuid} of the medium '%s' is not found in the media registry ('%s')"),
7761 &parentId, location.c_str(),
7762 pVirtualBox->i_settingsFilePath().c_str());
7763 throw S_OK;
7764 }
7765 }
7766
7767 /* must drop the caller before taking the tree lock */
7768 autoCaller.release();
7769 /* we set m->pParent & children() */
7770 treeLock.acquire();
7771 autoCaller.add();
7772 if (FAILED(autoCaller.hrc()))
7773 throw autoCaller.hrc();
7774
7775 if (m->pParent)
7776 i_deparent();
7777
7778 if (!pParent.isNull())
7779 if (pParent->i_getDepth() >= SETTINGS_MEDIUM_DEPTH_MAX)
7780 {
7781 AutoReadLock plock(pParent COMMA_LOCKVAL_SRC_POS);
7782 throw setError(VBOX_E_INVALID_OBJECT_STATE,
7783 tr("Cannot open differencing image for medium '%s', because it exceeds the medium tree depth limit. Please merge some images which you no longer need"),
7784 pParent->m->strLocationFull.c_str());
7785 }
7786 i_setParent(pParent);
7787
7788 treeLock.release();
7789 }
7790 else
7791 {
7792 /* must drop the caller before taking the tree lock */
7793 autoCaller.release();
7794 /* we access m->pParent */
7795 treeLock.acquire();
7796 autoCaller.add();
7797 if (FAILED(autoCaller.hrc()))
7798 throw autoCaller.hrc();
7799
7800 /* check that parent UUIDs match. Note that there's no need
7801 * for the parent's AutoCaller (our lifetime is bound to
7802 * it) */
7803
7804 if (m->pParent.isNull())
7805 {
7806 /* Due to a bug in VDCopy() in VirtualBox 3.0.0-3.0.14
7807 * and 3.1.0-3.1.8 there are base images out there
7808 * which have a non-zero parent UUID. No point in
7809 * complaining about them, instead automatically
7810 * repair the problem. Later we can bring back the
7811 * error message, but we should wait until really
7812 * most users have repaired their images, either with
7813 * VBoxFixHdd or this way. */
7814#if 1
7815 fRepairImageZeroParentUuid = true;
7816#else /* 0 */
7817 lastAccessError = Utf8StrFmt(
7818 tr("Medium type of '%s' is differencing but it is not associated with any parent medium in the media registry ('%s')"),
7819 location.c_str(),
7820 pVirtualBox->settingsFilePath().c_str());
7821 treeLock.release();
7822 throw S_OK;
7823#endif /* 0 */
7824 }
7825
7826 {
7827 autoCaller.release();
7828 AutoReadLock parentLock(m->pParent COMMA_LOCKVAL_SRC_POS);
7829 autoCaller.add();
7830 if (FAILED(autoCaller.hrc()))
7831 throw autoCaller.hrc();
7832
7833 if ( !fRepairImageZeroParentUuid
7834 && m->pParent->i_getState() != MediumState_Inaccessible
7835 && m->pParent->i_getId() != parentId)
7836 {
7837 /** @todo r=klaus this always refers to VirtualBox.xml as the medium registry, even for new VMs */
7838 lastAccessError = Utf8StrFmt(
7839 tr("Parent UUID {%RTuuid} of the medium '%s' does not match UUID {%RTuuid} of its parent medium stored in the media registry ('%s')"),
7840 &parentId, location.c_str(),
7841 m->pParent->i_getId().raw(),
7842 pVirtualBox->i_settingsFilePath().c_str());
7843 parentLock.release();
7844 treeLock.release();
7845 throw S_OK;
7846 }
7847 }
7848
7849 /// @todo NEWMEDIA what to do if the parent is not
7850 /// accessible while the diff is? Probably nothing. The
7851 /// real code will detect the mismatch anyway.
7852
7853 treeLock.release();
7854 }
7855 }
7856
7857 mediumSize = VDGetFileSize(hdd, 0);
7858 mediumLogicalSize = VDGetSize(hdd, 0);
7859
7860 success = true;
7861 }
7862 catch (HRESULT hrcXcpt)
7863 {
7864 hrc = hrcXcpt;
7865 }
7866
7867 vrc = VDDestroy(hdd);
7868 if (RT_FAILURE(vrc))
7869 {
7870 lastAccessError.printf(tr("Could not update and close the medium '%s'%s"),
7871 location.c_str(), i_vdError(vrc).c_str());
7872 success = false;
7873 throw S_OK;
7874 }
7875 }
7876 catch (HRESULT hrcXcpt)
7877 {
7878 hrc = hrcXcpt;
7879 }
7880
7881 autoCaller.release();
7882 treeLock.acquire();
7883 autoCaller.add();
7884 if (FAILED(autoCaller.hrc()))
7885 {
7886 m->queryInfoRunning = false;
7887 return autoCaller.hrc();
7888 }
7889 alock.acquire();
7890
7891 if (success)
7892 {
7893 m->size = mediumSize;
7894 m->logicalSize = mediumLogicalSize;
7895 m->strLastAccessError.setNull();
7896 }
7897 else
7898 {
7899 m->strLastAccessError = lastAccessError;
7900 Log1WarningFunc(("'%s' is not accessible (error='%s', hrc=%Rhrc, vrc=%Rrc)\n",
7901 location.c_str(), m->strLastAccessError.c_str(), hrc, vrc));
7902 }
7903
7904 /* Set the proper state according to the result of the check */
7905 if (success)
7906 m->preLockState = MediumState_Created;
7907 else
7908 m->preLockState = MediumState_Inaccessible;
7909
7910 /* unblock anyone waiting for the i_queryInfo results */
7911 qlock.release();
7912 m->queryInfoRunning = false;
7913
7914 pToken->Abandon();
7915 pToken.setNull();
7916
7917 if (FAILED(hrc))
7918 return hrc;
7919
7920 /* If this is a base image which incorrectly has a parent UUID set,
7921 * repair the image now by zeroing the parent UUID. This is only done
7922 * when we have structural information from a config file, on import
7923 * this is not possible. If someone would accidentally call openMedium
7924 * with a diff image before the base is registered this would destroy
7925 * the diff. Not acceptable. */
7926 do
7927 {
7928 if (fRepairImageZeroParentUuid)
7929 {
7930 hrc = LockWrite(pToken.asOutParam());
7931 if (FAILED(hrc))
7932 break;
7933
7934 alock.release();
7935
7936 try
7937 {
7938 PVDISK hdd;
7939 vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
7940 ComAssertRCThrow(vrc, E_FAIL);
7941
7942 try
7943 {
7944 vrc = VDOpen(hdd,
7945 format.c_str(),
7946 location.c_str(),
7947 (uOpenFlags & ~VD_OPEN_FLAGS_READONLY) | m->uOpenFlagsDef,
7948 m->vdImageIfaces);
7949 if (RT_FAILURE(vrc))
7950 throw S_OK;
7951
7952 RTUUID zeroParentUuid;
7953 RTUuidClear(&zeroParentUuid);
7954 vrc = VDSetParentUuid(hdd, 0, &zeroParentUuid);
7955 ComAssertRCThrow(vrc, E_FAIL);
7956 }
7957 catch (HRESULT hrcXcpt)
7958 {
7959 hrc = hrcXcpt;
7960 }
7961
7962 VDDestroy(hdd);
7963 }
7964 catch (HRESULT hrcXcpt)
7965 {
7966 hrc = hrcXcpt;
7967 }
7968
7969 pToken->Abandon();
7970 pToken.setNull();
7971 if (FAILED(hrc))
7972 break;
7973 }
7974 } while(0);
7975
7976 return hrc;
7977}
7978
7979/**
7980 * Performs extra checks if the medium can be closed and returns S_OK in
7981 * this case. Otherwise, returns a respective error message. Called by
7982 * Close() under the medium tree lock and the medium lock.
7983 *
7984 * @note Also reused by Medium::Reset().
7985 *
7986 * @note Caller must hold the media tree write lock!
7987 */
7988HRESULT Medium::i_canClose()
7989{
7990 Assert(m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
7991
7992 if (i_getChildren().size() != 0)
7993 return setError(VBOX_E_OBJECT_IN_USE,
7994 tr("Cannot close medium '%s' because it has %d child media", "", i_getChildren().size()),
7995 m->strLocationFull.c_str(), i_getChildren().size());
7996
7997 return S_OK;
7998}
7999
8000/**
8001 * Unregisters this medium with mVirtualBox. Called by close() under the medium tree lock.
8002 *
8003 * @note Caller must have locked the media tree lock for writing!
8004 */
8005HRESULT Medium::i_unregisterWithVirtualBox()
8006{
8007 /* Note that we need to de-associate ourselves from the parent to let
8008 * VirtualBox::i_unregisterMedium() properly save the registry */
8009
8010 /* we modify m->pParent and access children */
8011 Assert(m->pVirtualBox->i_getMediaTreeLockHandle().isWriteLockOnCurrentThread());
8012
8013 Medium *pParentBackup = m->pParent;
8014 AssertReturn(i_getChildren().size() == 0, E_FAIL);
8015 if (m->pParent)
8016 i_deparent();
8017
8018 HRESULT hrc = m->pVirtualBox->i_unregisterMedium(this);
8019 if (FAILED(hrc))
8020 {
8021 if (pParentBackup)
8022 {
8023 // re-associate with the parent as we are still relatives in the registry
8024 i_setParent(pParentBackup);
8025 }
8026 }
8027
8028 return hrc;
8029}
8030
8031/**
8032 * Like SetProperty but do not trigger a settings store. Only for internal use!
8033 */
8034HRESULT Medium::i_setPropertyDirect(const Utf8Str &aName, const Utf8Str &aValue)
8035{
8036 AutoCaller autoCaller(this);
8037 if (FAILED(autoCaller.hrc())) return autoCaller.hrc();
8038
8039 AutoWriteLock mlock(this COMMA_LOCKVAL_SRC_POS);
8040
8041 switch (m->state)
8042 {
8043 case MediumState_Created:
8044 case MediumState_Inaccessible:
8045 break;
8046 default:
8047 return i_setStateError();
8048 }
8049
8050 m->mapProperties[aName] = aValue;
8051
8052 return S_OK;
8053}
8054
8055/**
8056 * Sets the extended error info according to the current media state.
8057 *
8058 * @note Must be called from under this object's write or read lock.
8059 */
8060HRESULT Medium::i_setStateError()
8061{
8062 HRESULT hrc;
8063
8064 switch (m->state)
8065 {
8066 case MediumState_NotCreated:
8067 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8068 tr("Storage for the medium '%s' is not created"),
8069 m->strLocationFull.c_str());
8070 break;
8071 case MediumState_Created:
8072 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8073 tr("Storage for the medium '%s' is already created"),
8074 m->strLocationFull.c_str());
8075 break;
8076 case MediumState_LockedRead:
8077 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8078 tr("Medium '%s' is locked for reading by another task"),
8079 m->strLocationFull.c_str());
8080 break;
8081 case MediumState_LockedWrite:
8082 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8083 tr("Medium '%s' is locked for writing by another task"),
8084 m->strLocationFull.c_str());
8085 break;
8086 case MediumState_Inaccessible:
8087 /* be in sync with Console::powerUpThread() */
8088 if (!m->strLastAccessError.isEmpty())
8089 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8090 tr("Medium '%s' is not accessible. %s"),
8091 m->strLocationFull.c_str(), m->strLastAccessError.c_str());
8092 else
8093 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8094 tr("Medium '%s' is not accessible"),
8095 m->strLocationFull.c_str());
8096 break;
8097 case MediumState_Creating:
8098 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8099 tr("Storage for the medium '%s' is being created"),
8100 m->strLocationFull.c_str());
8101 break;
8102 case MediumState_Deleting:
8103 hrc = setError(VBOX_E_INVALID_OBJECT_STATE,
8104 tr("Storage for the medium '%s' is being deleted"),
8105 m->strLocationFull.c_str());
8106 break;
8107 default:
8108 AssertFailed();
8109 hrc = E_FAIL;
8110 break;
8111 }
8112
8113 return hrc;
8114}
8115
8116/**
8117 * Sets the value of m->strLocationFull. The given location must be a fully
8118 * qualified path; relative paths are not supported here.
8119 *
8120 * As a special exception, if the specified location is a file path that ends with '/'
8121 * then the file name part will be generated by this method automatically in the format
8122 * '{\<uuid\>}.\<ext\>' where \<uuid\> is a fresh UUID that this method will generate
8123 * and assign to this medium, and \<ext\> is the default extension for this
8124 * medium's storage format. Note that this procedure requires the media state to
8125 * be NotCreated and will return a failure otherwise.
8126 *
8127 * @param aLocation Location of the storage unit. If the location is a FS-path,
8128 * then it can be relative to the VirtualBox home directory.
8129 * @param aFormat Optional fallback format if it is an import and the format
8130 * cannot be determined.
8131 *
8132 * @note Must be called from under this object's write lock.
8133 */
8134HRESULT Medium::i_setLocation(const Utf8Str &aLocation,
8135 const Utf8Str &aFormat /* = Utf8Str::Empty */)
8136{
8137 AssertReturn(!aLocation.isEmpty(), E_FAIL);
8138
8139 AutoCaller autoCaller(this);
8140 AssertComRCReturnRC(autoCaller.hrc());
8141
8142 /* formatObj may be null only when initializing from an existing path and
8143 * no format is known yet */
8144 AssertReturn( (!m->strFormat.isEmpty() && !m->formatObj.isNull())
8145 || ( getObjectState().getState() == ObjectState::InInit
8146 && m->state != MediumState_NotCreated
8147 && m->id.isZero()
8148 && m->strFormat.isEmpty()
8149 && m->formatObj.isNull()),
8150 E_FAIL);
8151
8152 /* are we dealing with a new medium constructed using the existing
8153 * location? */
8154 bool isImport = m->strFormat.isEmpty();
8155
8156 if ( isImport
8157 || ( (m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File)
8158 && !m->hostDrive))
8159 {
8160 Guid id;
8161
8162 Utf8Str locationFull(aLocation);
8163
8164 if (m->state == MediumState_NotCreated)
8165 {
8166 /* must be a file (formatObj must be already known) */
8167 Assert(m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File);
8168
8169 if (RTPathFilename(aLocation.c_str()) == NULL)
8170 {
8171 /* no file name is given (either an empty string or ends with a
8172 * slash), generate a new UUID + file name if the state allows
8173 * this */
8174
8175 ComAssertMsgRet(!m->formatObj->i_getFileExtensions().empty(),
8176 (tr("Must be at least one extension if it is MediumFormatCapabilities_File\n")),
8177 E_FAIL);
8178
8179 Utf8Str strExt = m->formatObj->i_getFileExtensions().front();
8180 ComAssertMsgRet(!strExt.isEmpty(),
8181 (tr("Default extension must not be empty\n")),
8182 E_FAIL);
8183
8184 id.create();
8185
8186 locationFull = Utf8StrFmt("%s{%RTuuid}.%s",
8187 aLocation.c_str(), id.raw(), strExt.c_str());
8188 }
8189 }
8190
8191 // we must always have full paths now (if it refers to a file)
8192 if ( ( m->formatObj.isNull()
8193 || m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File)
8194 && !RTPathStartsWithRoot(locationFull.c_str()))
8195 return setError(VBOX_E_FILE_ERROR,
8196 tr("The given path '%s' is not fully qualified"),
8197 locationFull.c_str());
8198
8199 /* detect the backend from the storage unit if importing */
8200 if (isImport)
8201 {
8202 VDTYPE const enmDesiredType = i_convertDeviceType();
8203 VDTYPE enmType = VDTYPE_INVALID;
8204 char *backendName = NULL;
8205
8206 /* is it a file? */
8207 RTFILE hFile;
8208 int vrc = RTFileOpen(&hFile, locationFull.c_str(), RTFILE_O_READ | RTFILE_O_OPEN | RTFILE_O_DENY_NONE);
8209 if (RT_SUCCESS(vrc))
8210 {
8211 RTFileClose(hFile);
8212 vrc = VDGetFormat(NULL /* pVDIfsDisk */, NULL /* pVDIfsImage */,
8213 locationFull.c_str(), enmDesiredType, &backendName, &enmType);
8214 }
8215 else if ( vrc != VERR_FILE_NOT_FOUND
8216 && vrc != VERR_PATH_NOT_FOUND
8217 && vrc != VERR_ACCESS_DENIED
8218 && locationFull != aLocation)
8219 {
8220 /* assume it's not a file, restore the original location */
8221 locationFull = aLocation;
8222 vrc = VDGetFormat(NULL /* pVDIfsDisk */, NULL /* pVDIfsImage */,
8223 locationFull.c_str(), enmDesiredType, &backendName, &enmType);
8224 }
8225
8226 if (RT_FAILURE(vrc))
8227 {
8228 if (vrc == VERR_ACCESS_DENIED)
8229 return setErrorBoth(VBOX_E_FILE_ERROR, vrc,
8230 tr("Permission problem accessing the file for the medium '%s' (%Rrc)"),
8231 locationFull.c_str(), vrc);
8232 if (vrc == VERR_FILE_NOT_FOUND || vrc == VERR_PATH_NOT_FOUND)
8233 return setErrorBoth(VBOX_E_FILE_ERROR, vrc,
8234 tr("Could not find file for the medium '%s' (%Rrc)"),
8235 locationFull.c_str(), vrc);
8236 if (aFormat.isEmpty())
8237 return setErrorBoth(VBOX_E_IPRT_ERROR, vrc,
8238 tr("Could not get the storage format of the medium '%s' (%Rrc)"),
8239 locationFull.c_str(), vrc);
8240 HRESULT hrc = i_setFormat(aFormat);
8241 /* setFormat() must not fail since we've just used the backend so
8242 * the format object must be there */
8243 AssertComRCReturnRC(hrc);
8244 }
8245 else if ( enmType == VDTYPE_INVALID
8246 || m->devType != i_convertToDeviceType(enmType))
8247 {
8248 /*
8249 * The user tried to use a image as a device which is not supported
8250 * by the backend.
8251 */
8252 RTStrFree(backendName);
8253 return setError(E_FAIL,
8254 tr("The medium '%s' can't be used as the requested device type (%s, detected %s)"),
8255 locationFull.c_str(), getDeviceTypeName(m->devType), getVDTypeName(enmType));
8256 }
8257 else
8258 {
8259 ComAssertRet(backendName != NULL && *backendName != '\0', E_FAIL);
8260
8261 HRESULT hrc = i_setFormat(backendName);
8262 RTStrFree(backendName);
8263
8264 /* setFormat() must not fail since we've just used the backend so
8265 * the format object must be there */
8266 AssertComRCReturnRC(hrc);
8267 }
8268 }
8269
8270 m->strLocationFull = locationFull;
8271
8272 /* is it still a file? */
8273 if ( (m->formatObj->i_getCapabilities() & MediumFormatCapabilities_File)
8274 && (m->state == MediumState_NotCreated)
8275 )
8276 /* assign a new UUID (this UUID will be used when calling
8277 * VDCreateBase/VDCreateDiff as a wanted UUID). Note that we
8278 * also do that if we didn't generate it to make sure it is
8279 * either generated by us or reset to null */
8280 unconst(m->id) = id;
8281 }
8282 else
8283 m->strLocationFull = aLocation;
8284
8285 return S_OK;
8286}
8287
8288/**
8289 * Checks that the format ID is valid and sets it on success.
8290 *
8291 * Note that this method will caller-reference the format object on success!
8292 * This reference must be released somewhere to let the MediumFormat object be
8293 * uninitialized.
8294 *
8295 * @note Must be called from under this object's write lock.
8296 */
8297HRESULT Medium::i_setFormat(const Utf8Str &aFormat)
8298{
8299 /* get the format object first */
8300 {
8301 SystemProperties *pSysProps = m->pVirtualBox->i_getSystemProperties();
8302 AutoReadLock propsLock(pSysProps COMMA_LOCKVAL_SRC_POS);
8303
8304 unconst(m->formatObj) = pSysProps->i_mediumFormat(aFormat);
8305 if (m->formatObj.isNull())
8306 return setError(E_INVALIDARG,
8307 tr("Invalid medium storage format '%s'"),
8308 aFormat.c_str());
8309
8310 /* get properties (preinsert them as keys in the map). Note that the
8311 * map doesn't grow over the object life time since the set of
8312 * properties is meant to be constant. */
8313
8314 Assert(m->mapProperties.empty());
8315
8316 for (MediumFormat::PropertyArray::const_iterator it = m->formatObj->i_getProperties().begin();
8317 it != m->formatObj->i_getProperties().end();
8318 ++it)
8319 {
8320 m->mapProperties.insert(std::make_pair(it->strName, Utf8Str::Empty));
8321 }
8322 }
8323
8324 unconst(m->strFormat) = aFormat;
8325
8326 return S_OK;
8327}
8328
8329/**
8330 * Converts the Medium device type to the VD type.
8331 */
8332VDTYPE Medium::i_convertDeviceType()
8333{
8334 VDTYPE enmType;
8335
8336 switch (m->devType)
8337 {
8338 case DeviceType_HardDisk:
8339 enmType = VDTYPE_HDD;
8340 break;
8341 case DeviceType_DVD:
8342 enmType = VDTYPE_OPTICAL_DISC;
8343 break;
8344 case DeviceType_Floppy:
8345 enmType = VDTYPE_FLOPPY;
8346 break;
8347 default:
8348 ComAssertFailedRet(VDTYPE_INVALID);
8349 }
8350
8351 return enmType;
8352}
8353
8354/**
8355 * Converts from the VD type to the medium type.
8356 */
8357DeviceType_T Medium::i_convertToDeviceType(VDTYPE enmType)
8358{
8359 DeviceType_T devType;
8360
8361 switch (enmType)
8362 {
8363 case VDTYPE_HDD:
8364 devType = DeviceType_HardDisk;
8365 break;
8366 case VDTYPE_OPTICAL_DISC:
8367 devType = DeviceType_DVD;
8368 break;
8369 case VDTYPE_FLOPPY:
8370 devType = DeviceType_Floppy;
8371 break;
8372 default:
8373 ComAssertFailedRet(DeviceType_Null);
8374 }
8375
8376 return devType;
8377}
8378
8379/**
8380 * Internal method which checks whether a property name is for a filter plugin.
8381 */
8382bool Medium::i_isPropertyForFilter(const com::Utf8Str &aName)
8383{
8384 /* If the name contains "/" use the part before as a filter name and lookup the filter. */
8385 size_t offSlash;
8386 if ((offSlash = aName.find("/", 0)) != aName.npos)
8387 {
8388 com::Utf8Str strFilter;
8389 com::Utf8Str strKey;
8390
8391 HRESULT hrc = strFilter.assignEx(aName, 0, offSlash);
8392 if (FAILED(hrc))
8393 return false;
8394
8395 hrc = strKey.assignEx(aName, offSlash + 1, aName.length() - offSlash - 1); /* Skip slash */
8396 if (FAILED(hrc))
8397 return false;
8398
8399 VDFILTERINFO FilterInfo;
8400 int vrc = VDFilterInfoOne(strFilter.c_str(), &FilterInfo);
8401 if (RT_SUCCESS(vrc))
8402 {
8403 /* Check that the property exists. */
8404 PCVDCONFIGINFO paConfig = FilterInfo.paConfigInfo;
8405 while (paConfig->pszKey)
8406 {
8407 if (strKey.equals(paConfig->pszKey))
8408 return true;
8409 paConfig++;
8410 }
8411 }
8412 }
8413
8414 return false;
8415}
8416
8417/**
8418 * Returns the last error message collected by the i_vdErrorCall callback and
8419 * resets it.
8420 *
8421 * The error message is returned prepended with a dot and a space, like this:
8422 * <code>
8423 * ". <error_text> (%Rrc)"
8424 * </code>
8425 * to make it easily appendable to a more general error message. The @c %Rrc
8426 * format string is given @a aVRC as an argument.
8427 *
8428 * If there is no last error message collected by i_vdErrorCall or if it is a
8429 * null or empty string, then this function returns the following text:
8430 * <code>
8431 * " (%Rrc)"
8432 * </code>
8433 *
8434 * @note Doesn't do any object locking; it is assumed that the caller makes sure
8435 * the callback isn't called by more than one thread at a time.
8436 *
8437 * @param aVRC VBox error code to use when no error message is provided.
8438 */
8439Utf8Str Medium::i_vdError(int aVRC)
8440{
8441 Utf8Str error;
8442
8443 if (m->vdError.isEmpty())
8444 error.printf(" (%Rrc)", aVRC);
8445 else
8446 error.printf(".\n%s", m->vdError.c_str());
8447
8448 m->vdError.setNull();
8449
8450 return error;
8451}
8452
8453/**
8454 * Error message callback.
8455 *
8456 * Puts the reported error message to the m->vdError field.
8457 *
8458 * @note Doesn't do any object locking; it is assumed that the caller makes sure
8459 * the callback isn't called by more than one thread at a time.
8460 *
8461 * @param pvUser The opaque data passed on container creation.
8462 * @param vrc The VBox error code.
8463 * @param SRC_POS Use RT_SRC_POS.
8464 * @param pszFormat Error message format string.
8465 * @param va Error message arguments.
8466 */
8467/*static*/
8468DECLCALLBACK(void) Medium::i_vdErrorCall(void *pvUser, int vrc, RT_SRC_POS_DECL,
8469 const char *pszFormat, va_list va)
8470{
8471 NOREF(pszFile); NOREF(iLine); NOREF(pszFunction); /* RT_SRC_POS_DECL */
8472
8473 Medium *that = static_cast<Medium*>(pvUser);
8474 AssertReturnVoid(that != NULL);
8475
8476 va_list vaCopy; /* For gcc */
8477 va_copy(vaCopy, va);
8478 if (that->m->vdError.isEmpty())
8479 that->m->vdError.printf("%N (%Rrc)", pszFormat, &vaCopy, vrc);
8480 else
8481 that->m->vdError.appendPrintf(".\n%N (%Rrc)", pszFormat, &vaCopy, vrc);
8482 va_end(vaCopy);
8483}
8484
8485/* static */
8486DECLCALLBACK(bool) Medium::i_vdConfigAreKeysValid(void *pvUser,
8487 const char * /* pszzValid */)
8488{
8489 Medium *that = static_cast<Medium*>(pvUser);
8490 AssertReturn(that != NULL, false);
8491
8492 /* we always return true since the only keys we have are those found in
8493 * VDBACKENDINFO */
8494 return true;
8495}
8496
8497/* static */
8498DECLCALLBACK(int) Medium::i_vdConfigQuerySize(void *pvUser,
8499 const char *pszName,
8500 size_t *pcbValue)
8501{
8502 AssertPtrReturn(pcbValue, VERR_INVALID_POINTER);
8503
8504 Medium *that = static_cast<Medium*>(pvUser);
8505 AssertReturn(that != NULL, VERR_GENERAL_FAILURE);
8506
8507 settings::StringsMap::const_iterator it = that->m->mapProperties.find(Utf8Str(pszName));
8508 if (it == that->m->mapProperties.end())
8509 return VERR_CFGM_VALUE_NOT_FOUND;
8510
8511 /* we interpret null values as "no value" in Medium */
8512 if (it->second.isEmpty())
8513 return VERR_CFGM_VALUE_NOT_FOUND;
8514
8515 *pcbValue = it->second.length() + 1 /* include terminator */;
8516
8517 return VINF_SUCCESS;
8518}
8519
8520/* static */
8521DECLCALLBACK(int) Medium::i_vdConfigQuery(void *pvUser,
8522 const char *pszName,
8523 char *pszValue,
8524 size_t cchValue)
8525{
8526 AssertPtrReturn(pszValue, VERR_INVALID_POINTER);
8527
8528 Medium *that = static_cast<Medium*>(pvUser);
8529 AssertReturn(that != NULL, VERR_GENERAL_FAILURE);
8530
8531 settings::StringsMap::const_iterator it = that->m->mapProperties.find(Utf8Str(pszName));
8532 if (it == that->m->mapProperties.end())
8533 return VERR_CFGM_VALUE_NOT_FOUND;
8534
8535 /* we interpret null values as "no value" in Medium */
8536 if (it->second.isEmpty())
8537 return VERR_CFGM_VALUE_NOT_FOUND;
8538
8539 const Utf8Str &value = it->second;
8540 if (value.length() >= cchValue)
8541 return VERR_CFGM_NOT_ENOUGH_SPACE;
8542
8543 memcpy(pszValue, value.c_str(), value.length() + 1);
8544
8545 return VINF_SUCCESS;
8546}
8547
8548DECLCALLBACK(bool) Medium::i_vdCryptoConfigAreKeysValid(void *pvUser, const char *pszzValid)
8549{
8550 /* Just return always true here. */
8551 NOREF(pvUser);
8552 NOREF(pszzValid);
8553 return true;
8554}
8555
8556DECLCALLBACK(int) Medium::i_vdCryptoConfigQuerySize(void *pvUser, const char *pszName, size_t *pcbValue)
8557{
8558 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8559 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8560 AssertPtrReturn(pcbValue, VERR_INVALID_POINTER);
8561
8562 size_t cbValue = 0;
8563 if (!strcmp(pszName, "Algorithm"))
8564 cbValue = strlen(pSettings->pszCipher) + 1;
8565 else if (!strcmp(pszName, "KeyId"))
8566 cbValue = sizeof("irrelevant");
8567 else if (!strcmp(pszName, "KeyStore"))
8568 {
8569 if (!pSettings->pszKeyStoreLoad)
8570 return VERR_CFGM_VALUE_NOT_FOUND;
8571 cbValue = strlen(pSettings->pszKeyStoreLoad) + 1;
8572 }
8573 else if (!strcmp(pszName, "CreateKeyStore"))
8574 cbValue = 2; /* Single digit + terminator. */
8575 else
8576 return VERR_CFGM_VALUE_NOT_FOUND;
8577
8578 *pcbValue = cbValue + 1 /* include terminator */;
8579
8580 return VINF_SUCCESS;
8581}
8582
8583DECLCALLBACK(int) Medium::i_vdCryptoConfigQuery(void *pvUser, const char *pszName,
8584 char *pszValue, size_t cchValue)
8585{
8586 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8587 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8588 AssertPtrReturn(pszValue, VERR_INVALID_POINTER);
8589
8590 const char *psz = NULL;
8591 if (!strcmp(pszName, "Algorithm"))
8592 psz = pSettings->pszCipher;
8593 else if (!strcmp(pszName, "KeyId"))
8594 psz = "irrelevant";
8595 else if (!strcmp(pszName, "KeyStore"))
8596 psz = pSettings->pszKeyStoreLoad;
8597 else if (!strcmp(pszName, "CreateKeyStore"))
8598 {
8599 if (pSettings->fCreateKeyStore)
8600 psz = "1";
8601 else
8602 psz = "0";
8603 }
8604 else
8605 return VERR_CFGM_VALUE_NOT_FOUND;
8606
8607 size_t cch = strlen(psz);
8608 if (cch >= cchValue)
8609 return VERR_CFGM_NOT_ENOUGH_SPACE;
8610
8611 memcpy(pszValue, psz, cch + 1);
8612 return VINF_SUCCESS;
8613}
8614
8615DECLCALLBACK(int) Medium::i_vdConfigUpdate(void *pvUser,
8616 bool fCreate,
8617 const char *pszName,
8618 const char *pszValue)
8619{
8620 Medium *that = (Medium *)pvUser;
8621
8622 // Detect if this runs inside i_queryInfo() on the current thread.
8623 // Skip if not. Check does not need synchronization.
8624 if (!that->m || !that->m->queryInfoRunning || !that->m->queryInfoSem.isWriteLockOnCurrentThread())
8625 return VINF_SUCCESS;
8626
8627 // It's guaranteed that this code is executing inside Medium::i_queryInfo,
8628 // can assume it took care of synchronization.
8629 int rv = VINF_SUCCESS;
8630 Utf8Str strName(pszName);
8631 settings::StringsMap::const_iterator it = that->m->mapProperties.find(strName);
8632 if (it == that->m->mapProperties.end() && !fCreate)
8633 rv = VERR_CFGM_VALUE_NOT_FOUND;
8634 else
8635 that->m->mapProperties[strName] = Utf8Str(pszValue);
8636 return rv;
8637}
8638
8639DECLCALLBACK(int) Medium::i_vdCryptoKeyRetain(void *pvUser, const char *pszId,
8640 const uint8_t **ppbKey, size_t *pcbKey)
8641{
8642 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8643 NOREF(pszId);
8644 NOREF(ppbKey);
8645 NOREF(pcbKey);
8646 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8647 AssertMsgFailedReturn(("This method should not be called here!\n"), VERR_INVALID_STATE);
8648}
8649
8650DECLCALLBACK(int) Medium::i_vdCryptoKeyRelease(void *pvUser, const char *pszId)
8651{
8652 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8653 NOREF(pszId);
8654 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8655 AssertMsgFailedReturn(("This method should not be called here!\n"), VERR_INVALID_STATE);
8656}
8657
8658DECLCALLBACK(int) Medium::i_vdCryptoKeyStorePasswordRetain(void *pvUser, const char *pszId, const char **ppszPassword)
8659{
8660 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8661 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8662
8663 NOREF(pszId);
8664 *ppszPassword = pSettings->pszPassword;
8665 return VINF_SUCCESS;
8666}
8667
8668DECLCALLBACK(int) Medium::i_vdCryptoKeyStorePasswordRelease(void *pvUser, const char *pszId)
8669{
8670 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8671 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8672 NOREF(pszId);
8673 return VINF_SUCCESS;
8674}
8675
8676DECLCALLBACK(int) Medium::i_vdCryptoKeyStoreSave(void *pvUser, const void *pvKeyStore, size_t cbKeyStore)
8677{
8678 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8679 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8680
8681 pSettings->pszKeyStore = (char *)RTMemAllocZ(cbKeyStore);
8682 if (!pSettings->pszKeyStore)
8683 return VERR_NO_MEMORY;
8684
8685 memcpy(pSettings->pszKeyStore, pvKeyStore, cbKeyStore);
8686 return VINF_SUCCESS;
8687}
8688
8689DECLCALLBACK(int) Medium::i_vdCryptoKeyStoreReturnParameters(void *pvUser, const char *pszCipher,
8690 const uint8_t *pbDek, size_t cbDek)
8691{
8692 MediumCryptoFilterSettings *pSettings = (MediumCryptoFilterSettings *)pvUser;
8693 AssertPtrReturn(pSettings, VERR_GENERAL_FAILURE);
8694
8695 pSettings->pszCipherReturned = RTStrDup(pszCipher);
8696 pSettings->pbDek = pbDek;
8697 pSettings->cbDek = cbDek;
8698
8699 return pSettings->pszCipherReturned ? VINF_SUCCESS : VERR_NO_MEMORY;
8700}
8701
8702/**
8703 * Creates a VDISK instance for this medium.
8704 *
8705 * @note Caller should not hold any medium related locks as this method will
8706 * acquire the medium lock for writing and others (VirtualBox).
8707 *
8708 * @returns COM status code.
8709 * @param fWritable Whether to return a writable VDISK instance
8710 * (true) or a read-only one (false).
8711 * @param pKeyStore The key store.
8712 * @param ppHdd Where to return the pointer to the VDISK on
8713 * success.
8714 * @param pMediumLockList The lock list to populate and lock. Caller
8715 * is responsible for calling the destructor or
8716 * MediumLockList::Clear() after destroying
8717 * @a *ppHdd
8718 * @param pCryptoSettings The crypto settings to use for setting up
8719 * decryption/encryption of the VDISK. This object
8720 * must be alive until the VDISK is destroyed!
8721 */
8722HRESULT Medium::i_openForIO(bool fWritable, SecretKeyStore *pKeyStore, PVDISK *ppHdd, MediumLockList *pMediumLockList,
8723 MediumCryptoFilterSettings *pCryptoSettings)
8724{
8725 /*
8726 * Create the media lock list and lock the media.
8727 */
8728 HRESULT hrc = i_createMediumLockList(true /* fFailIfInaccessible */,
8729 fWritable ? this : NULL /* pToLockWrite */,
8730 false /* fMediumLockWriteAll */,
8731 NULL,
8732 *pMediumLockList);
8733 if (SUCCEEDED(hrc))
8734 hrc = pMediumLockList->Lock();
8735 if (FAILED(hrc))
8736 return hrc;
8737
8738 /*
8739 * Get the base medium before write locking this medium.
8740 */
8741 ComObjPtr<Medium> pBase = i_getBase();
8742 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
8743
8744 /*
8745 * Create the VDISK instance.
8746 */
8747 PVDISK pHdd;
8748 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &pHdd);
8749 AssertRCReturn(vrc, E_FAIL);
8750
8751 /*
8752 * Goto avoidance using try/catch/throw(HRESULT).
8753 */
8754 try
8755 {
8756 settings::StringsMap::iterator itKeyStore = pBase->m->mapProperties.find("CRYPT/KeyStore");
8757 if (itKeyStore != pBase->m->mapProperties.end())
8758 {
8759#ifdef VBOX_WITH_EXTPACK
8760 settings::StringsMap::iterator itKeyId = pBase->m->mapProperties.find("CRYPT/KeyId");
8761
8762 ExtPackManager *pExtPackManager = m->pVirtualBox->i_getExtPackManager();
8763 if (pExtPackManager->i_isExtPackUsable(ORACLE_PUEL_EXTPACK_NAME))
8764 {
8765 /* Load the plugin */
8766 Utf8Str strPlugin;
8767 hrc = pExtPackManager->i_getLibraryPathForExtPack(g_szVDPlugin, ORACLE_PUEL_EXTPACK_NAME, &strPlugin);
8768 if (SUCCEEDED(hrc))
8769 {
8770 vrc = VDPluginLoadFromFilename(strPlugin.c_str());
8771 if (RT_FAILURE(vrc))
8772 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
8773 tr("Retrieving encryption settings of the image failed because the encryption plugin could not be loaded (%s)"),
8774 i_vdError(vrc).c_str());
8775 }
8776 else
8777 throw setError(VBOX_E_NOT_SUPPORTED,
8778 tr("Encryption is not supported because the extension pack '%s' is missing the encryption plugin (old extension pack installed?)"),
8779 ORACLE_PUEL_EXTPACK_NAME);
8780 }
8781 else
8782 throw setError(VBOX_E_NOT_SUPPORTED,
8783 tr("Encryption is not supported because the extension pack '%s' is missing"),
8784 ORACLE_PUEL_EXTPACK_NAME);
8785
8786 if (itKeyId == pBase->m->mapProperties.end())
8787 throw setError(VBOX_E_INVALID_OBJECT_STATE,
8788 tr("Image '%s' is configured for encryption but doesn't has a key identifier set"),
8789 pBase->m->strLocationFull.c_str());
8790
8791 /* Find the proper secret key in the key store. */
8792 if (!pKeyStore)
8793 throw setError(VBOX_E_INVALID_OBJECT_STATE,
8794 tr("Image '%s' is configured for encryption but there is no key store to retrieve the password from"),
8795 pBase->m->strLocationFull.c_str());
8796
8797 SecretKey *pKey = NULL;
8798 vrc = pKeyStore->retainSecretKey(itKeyId->second, &pKey);
8799 if (RT_FAILURE(vrc))
8800 throw setErrorBoth(VBOX_E_INVALID_OBJECT_STATE, vrc,
8801 tr("Failed to retrieve the secret key with ID \"%s\" from the store (%Rrc)"),
8802 itKeyId->second.c_str(), vrc);
8803
8804 i_taskEncryptSettingsSetup(pCryptoSettings, NULL, itKeyStore->second.c_str(), (const char *)pKey->getKeyBuffer(),
8805 false /* fCreateKeyStore */);
8806 vrc = VDFilterAdd(pHdd, "CRYPT", VD_FILTER_FLAGS_DEFAULT, pCryptoSettings->vdFilterIfaces);
8807 pKeyStore->releaseSecretKey(itKeyId->second);
8808 if (vrc == VERR_VD_PASSWORD_INCORRECT)
8809 throw setErrorBoth(VBOX_E_PASSWORD_INCORRECT, vrc, tr("The password to decrypt the image is incorrect"));
8810 if (RT_FAILURE(vrc))
8811 throw setErrorBoth(VBOX_E_INVALID_OBJECT_STATE, vrc, tr("Failed to load the decryption filter: %s"),
8812 i_vdError(vrc).c_str());
8813#else
8814 RT_NOREF(pKeyStore, pCryptoSettings);
8815 throw setError(VBOX_E_NOT_SUPPORTED,
8816 tr("Encryption is not supported because extension pack support is not built in"));
8817#endif /* VBOX_WITH_EXTPACK */
8818 }
8819
8820 /*
8821 * Open all media in the source chain.
8822 */
8823 MediumLockList::Base::const_iterator sourceListBegin = pMediumLockList->GetBegin();
8824 MediumLockList::Base::const_iterator sourceListEnd = pMediumLockList->GetEnd();
8825 MediumLockList::Base::const_iterator mediumListLast = sourceListEnd;
8826 --mediumListLast;
8827
8828 for (MediumLockList::Base::const_iterator it = sourceListBegin; it != sourceListEnd; ++it)
8829 {
8830 const MediumLock &mediumLock = *it;
8831 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
8832 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
8833
8834 /* sanity check */
8835 Assert(pMedium->m->state == (fWritable && it == mediumListLast ? MediumState_LockedWrite : MediumState_LockedRead));
8836
8837 /* Open all media in read-only mode. */
8838 vrc = VDOpen(pHdd,
8839 pMedium->m->strFormat.c_str(),
8840 pMedium->m->strLocationFull.c_str(),
8841 m->uOpenFlagsDef | (fWritable && it == mediumListLast ? VD_OPEN_FLAGS_NORMAL : VD_OPEN_FLAGS_READONLY),
8842 pMedium->m->vdImageIfaces);
8843 if (RT_FAILURE(vrc))
8844 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
8845 tr("Could not open the medium storage unit '%s'%s"),
8846 pMedium->m->strLocationFull.c_str(),
8847 i_vdError(vrc).c_str());
8848 }
8849
8850 Assert(m->state == (fWritable ? MediumState_LockedWrite : MediumState_LockedRead));
8851
8852 /*
8853 * Done!
8854 */
8855 *ppHdd = pHdd;
8856 return S_OK;
8857 }
8858 catch (HRESULT hrc2)
8859 {
8860 hrc = hrc2;
8861 }
8862
8863 VDDestroy(pHdd);
8864 return hrc;
8865
8866}
8867
8868/**
8869 * Implementation code for the "create base" task.
8870 *
8871 * This only gets started from Medium::CreateBaseStorage() and always runs
8872 * asynchronously. As a result, we always save the VirtualBox.xml file when
8873 * we're done here.
8874 *
8875 * @param task
8876 * @return
8877 */
8878HRESULT Medium::i_taskCreateBaseHandler(Medium::CreateBaseTask &task)
8879{
8880 /** @todo r=klaus The code below needs to be double checked with regard
8881 * to lock order violations, it probably causes lock order issues related
8882 * to the AutoCaller usage. */
8883 HRESULT hrc = S_OK;
8884
8885 /* these parameters we need after creation */
8886 uint64_t size = 0, logicalSize = 0;
8887 MediumVariant_T variant = MediumVariant_Standard;
8888 bool fGenerateUuid = false;
8889
8890 try
8891 {
8892 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
8893
8894 /* The object may request a specific UUID (through a special form of
8895 * the moveTo() argument). Otherwise we have to generate it */
8896 Guid id = m->id;
8897
8898 fGenerateUuid = id.isZero();
8899 if (fGenerateUuid)
8900 {
8901 id.create();
8902 /* VirtualBox::i_registerMedium() will need UUID */
8903 unconst(m->id) = id;
8904 }
8905
8906 Utf8Str format(m->strFormat);
8907 Utf8Str location(m->strLocationFull);
8908 uint64_t capabilities = m->formatObj->i_getCapabilities();
8909 ComAssertThrow(capabilities & ( MediumFormatCapabilities_CreateFixed
8910 | MediumFormatCapabilities_CreateDynamic), E_FAIL);
8911 Assert(m->state == MediumState_Creating);
8912
8913 PVDISK hdd;
8914 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
8915 ComAssertRCThrow(vrc, E_FAIL);
8916
8917 /* unlock before the potentially lengthy operation */
8918 thisLock.release();
8919
8920 try
8921 {
8922 /* ensure the directory exists */
8923 if (capabilities & MediumFormatCapabilities_File)
8924 {
8925 hrc = VirtualBox::i_ensureFilePathExists(location, !(task.mVariant & MediumVariant_NoCreateDir) /* fCreate */);
8926 if (FAILED(hrc))
8927 throw hrc;
8928 }
8929
8930 VDGEOMETRY geo = { 0, 0, 0 }; /* auto-detect */
8931
8932 vrc = VDCreateBase(hdd,
8933 format.c_str(),
8934 location.c_str(),
8935 task.mSize,
8936 task.mVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted),
8937 NULL,
8938 &geo,
8939 &geo,
8940 id.raw(),
8941 VD_OPEN_FLAGS_NORMAL | m->uOpenFlagsDef,
8942 m->vdImageIfaces,
8943 task.mVDOperationIfaces);
8944 if (RT_FAILURE(vrc))
8945 {
8946 if (vrc == VERR_VD_INVALID_TYPE)
8947 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
8948 tr("Parameters for creating the medium storage unit '%s' are invalid%s"),
8949 location.c_str(), i_vdError(vrc).c_str());
8950 else
8951 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
8952 tr("Could not create the medium storage unit '%s'%s"),
8953 location.c_str(), i_vdError(vrc).c_str());
8954 }
8955
8956 if (task.mVariant & MediumVariant_Formatted)
8957 {
8958 RTVFSFILE hVfsFile;
8959 vrc = VDCreateVfsFileFromDisk(hdd, 0 /*fFlags*/, &hVfsFile);
8960 if (RT_FAILURE(vrc))
8961 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("Opening medium storage unit '%s' failed%s"),
8962 location.c_str(), i_vdError(vrc).c_str());
8963 RTERRINFOSTATIC ErrInfo;
8964 vrc = RTFsFatVolFormat(hVfsFile, 0 /* offVol */, 0 /* cbVol */, RTFSFATVOL_FMT_F_FULL,
8965 0 /* cbSector */, 0 /* cbSectorPerCluster */, RTFSFATTYPE_INVALID,
8966 0 /* cHeads */, 0 /* cSectorsPerTrack*/, 0 /* bMedia */,
8967 0 /* cRootDirEntries */, 0 /* cHiddenSectors */,
8968 RTErrInfoInitStatic(&ErrInfo));
8969 RTVfsFileRelease(hVfsFile);
8970 if (RT_FAILURE(vrc) && RTErrInfoIsSet(&ErrInfo.Core))
8971 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("Formatting medium storage unit '%s' failed: %s"),
8972 location.c_str(), ErrInfo.Core.pszMsg);
8973 if (RT_FAILURE(vrc))
8974 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc, tr("Formatting medium storage unit '%s' failed%s"),
8975 location.c_str(), i_vdError(vrc).c_str());
8976 }
8977
8978 size = VDGetFileSize(hdd, 0);
8979 logicalSize = VDGetSize(hdd, 0);
8980 unsigned uImageFlags;
8981 vrc = VDGetImageFlags(hdd, 0, &uImageFlags);
8982 if (RT_SUCCESS(vrc))
8983 variant = (MediumVariant_T)uImageFlags;
8984 }
8985 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
8986
8987 VDDestroy(hdd);
8988 }
8989 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
8990
8991 if (SUCCEEDED(hrc))
8992 {
8993 /* register with mVirtualBox as the last step and move to
8994 * Created state only on success (leaving an orphan file is
8995 * better than breaking media registry consistency) */
8996 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
8997 ComObjPtr<Medium> pMedium;
8998 hrc = m->pVirtualBox->i_registerMedium(this, &pMedium, treeLock);
8999 Assert(pMedium == NULL || this == pMedium);
9000 }
9001
9002 // re-acquire the lock before changing state
9003 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
9004
9005 if (SUCCEEDED(hrc))
9006 {
9007 m->state = MediumState_Created;
9008
9009 m->size = size;
9010 m->logicalSize = logicalSize;
9011 m->variant = variant;
9012
9013 thisLock.release();
9014 i_markRegistriesModified();
9015 if (task.isAsync())
9016 {
9017 // in asynchronous mode, save settings now
9018 m->pVirtualBox->i_saveModifiedRegistries();
9019 }
9020 }
9021 else
9022 {
9023 /* back to NotCreated on failure */
9024 m->state = MediumState_NotCreated;
9025
9026 /* reset UUID to prevent it from being reused next time */
9027 if (fGenerateUuid)
9028 unconst(m->id).clear();
9029 }
9030
9031 if (task.NotifyAboutChanges() && SUCCEEDED(hrc))
9032 {
9033 m->pVirtualBox->i_onMediumConfigChanged(this);
9034 m->pVirtualBox->i_onMediumRegistered(m->id, m->devType, TRUE);
9035 }
9036
9037 return hrc;
9038}
9039
9040/**
9041 * Implementation code for the "create diff" task.
9042 *
9043 * This task always gets started from Medium::createDiffStorage() and can run
9044 * synchronously or asynchronously depending on the "wait" parameter passed to
9045 * that function. If we run synchronously, the caller expects the medium
9046 * registry modification to be set before returning; otherwise (in asynchronous
9047 * mode), we save the settings ourselves.
9048 *
9049 * @param task
9050 * @return
9051 */
9052HRESULT Medium::i_taskCreateDiffHandler(Medium::CreateDiffTask &task)
9053{
9054 /** @todo r=klaus The code below needs to be double checked with regard
9055 * to lock order violations, it probably causes lock order issues related
9056 * to the AutoCaller usage. */
9057 HRESULT hrcTmp = S_OK;
9058
9059 const ComObjPtr<Medium> &pTarget = task.mTarget;
9060
9061 uint64_t size = 0, logicalSize = 0;
9062 MediumVariant_T variant = MediumVariant_Standard;
9063 bool fGenerateUuid = false;
9064
9065 try
9066 {
9067 if (i_getDepth() >= SETTINGS_MEDIUM_DEPTH_MAX)
9068 {
9069 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
9070 throw setError(VBOX_E_INVALID_OBJECT_STATE,
9071 tr("Cannot create differencing image for medium '%s', because it exceeds the medium tree depth limit. Please merge some images which you no longer need"),
9072 m->strLocationFull.c_str());
9073 }
9074
9075 /* Lock both in {parent,child} order. */
9076 AutoMultiWriteLock2 mediaLock(this, pTarget COMMA_LOCKVAL_SRC_POS);
9077
9078 /* The object may request a specific UUID (through a special form of
9079 * the moveTo() argument). Otherwise we have to generate it */
9080 Guid targetId = pTarget->m->id;
9081
9082 fGenerateUuid = targetId.isZero();
9083 if (fGenerateUuid)
9084 {
9085 targetId.create();
9086 /* VirtualBox::i_registerMedium() will need UUID */
9087 unconst(pTarget->m->id) = targetId;
9088 }
9089
9090 Guid id = m->id;
9091
9092 Utf8Str targetFormat(pTarget->m->strFormat);
9093 Utf8Str targetLocation(pTarget->m->strLocationFull);
9094 uint64_t capabilities = pTarget->m->formatObj->i_getCapabilities();
9095 ComAssertThrow(capabilities & MediumFormatCapabilities_CreateDynamic, E_FAIL);
9096
9097 Assert(pTarget->m->state == MediumState_Creating);
9098 Assert(m->state == MediumState_LockedRead);
9099
9100 PVDISK hdd;
9101 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
9102 ComAssertRCThrow(vrc, E_FAIL);
9103
9104 /* the two media are now protected by their non-default states;
9105 * unlock the media before the potentially lengthy operation */
9106 mediaLock.release();
9107
9108 try
9109 {
9110 /* Open all media in the target chain but the last. */
9111 MediumLockList::Base::const_iterator targetListBegin =
9112 task.mpMediumLockList->GetBegin();
9113 MediumLockList::Base::const_iterator targetListEnd =
9114 task.mpMediumLockList->GetEnd();
9115 for (MediumLockList::Base::const_iterator it = targetListBegin;
9116 it != targetListEnd;
9117 ++it)
9118 {
9119 const MediumLock &mediumLock = *it;
9120 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
9121
9122 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
9123
9124 /* Skip over the target diff medium */
9125 if (pMedium->m->state == MediumState_Creating)
9126 continue;
9127
9128 /* sanity check */
9129 Assert(pMedium->m->state == MediumState_LockedRead);
9130
9131 /* Open all media in appropriate mode. */
9132 vrc = VDOpen(hdd,
9133 pMedium->m->strFormat.c_str(),
9134 pMedium->m->strLocationFull.c_str(),
9135 VD_OPEN_FLAGS_READONLY | VD_OPEN_FLAGS_INFO | m->uOpenFlagsDef,
9136 pMedium->m->vdImageIfaces);
9137 if (RT_FAILURE(vrc))
9138 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9139 tr("Could not open the medium storage unit '%s'%s"),
9140 pMedium->m->strLocationFull.c_str(),
9141 i_vdError(vrc).c_str());
9142 }
9143
9144 /* ensure the target directory exists */
9145 if (capabilities & MediumFormatCapabilities_File)
9146 {
9147 HRESULT hrc = VirtualBox::i_ensureFilePathExists(targetLocation,
9148 !(task.mVariant & MediumVariant_NoCreateDir) /* fCreate */);
9149 if (FAILED(hrc))
9150 throw hrc;
9151 }
9152
9153 vrc = VDCreateDiff(hdd,
9154 targetFormat.c_str(),
9155 targetLocation.c_str(),
9156 (task.mVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk))
9157 | VD_IMAGE_FLAGS_DIFF,
9158 NULL,
9159 targetId.raw(),
9160 id.raw(),
9161 VD_OPEN_FLAGS_NORMAL | m->uOpenFlagsDef,
9162 pTarget->m->vdImageIfaces,
9163 task.mVDOperationIfaces);
9164 if (RT_FAILURE(vrc))
9165 {
9166 if (vrc == VERR_VD_INVALID_TYPE)
9167 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9168 tr("Parameters for creating the differencing medium storage unit '%s' are invalid%s"),
9169 targetLocation.c_str(), i_vdError(vrc).c_str());
9170 else
9171 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9172 tr("Could not create the differencing medium storage unit '%s'%s"),
9173 targetLocation.c_str(), i_vdError(vrc).c_str());
9174 }
9175
9176 size = VDGetFileSize(hdd, VD_LAST_IMAGE);
9177 logicalSize = VDGetSize(hdd, VD_LAST_IMAGE);
9178 unsigned uImageFlags;
9179 vrc = VDGetImageFlags(hdd, 0, &uImageFlags);
9180 if (RT_SUCCESS(vrc))
9181 variant = (MediumVariant_T)uImageFlags;
9182 }
9183 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9184
9185 VDDestroy(hdd);
9186 }
9187 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9188
9189 MultiResult mrc(hrcTmp);
9190
9191 if (SUCCEEDED(mrc))
9192 {
9193 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
9194
9195 Assert(pTarget->m->pParent.isNull());
9196
9197 /* associate child with the parent, maximum depth was checked above */
9198 pTarget->i_setParent(this);
9199
9200 /* diffs for immutable media are auto-reset by default */
9201 bool fAutoReset;
9202 {
9203 ComObjPtr<Medium> pBase = i_getBase();
9204 AutoReadLock block(pBase COMMA_LOCKVAL_SRC_POS);
9205 fAutoReset = (pBase->m->type == MediumType_Immutable);
9206 }
9207 {
9208 AutoWriteLock tlock(pTarget COMMA_LOCKVAL_SRC_POS);
9209 pTarget->m->autoReset = fAutoReset;
9210 }
9211
9212 /* register with mVirtualBox as the last step and move to
9213 * Created state only on success (leaving an orphan file is
9214 * better than breaking media registry consistency) */
9215 ComObjPtr<Medium> pMedium;
9216 mrc = m->pVirtualBox->i_registerMedium(pTarget, &pMedium, treeLock);
9217 Assert(pTarget == pMedium);
9218
9219 if (FAILED(mrc))
9220 /* break the parent association on failure to register */
9221 i_deparent();
9222 }
9223
9224 AutoMultiWriteLock2 mediaLock(this, pTarget COMMA_LOCKVAL_SRC_POS);
9225
9226 if (SUCCEEDED(mrc))
9227 {
9228 pTarget->m->state = MediumState_Created;
9229
9230 pTarget->m->size = size;
9231 pTarget->m->logicalSize = logicalSize;
9232 pTarget->m->variant = variant;
9233 }
9234 else
9235 {
9236 /* back to NotCreated on failure */
9237 pTarget->m->state = MediumState_NotCreated;
9238
9239 pTarget->m->autoReset = false;
9240
9241 /* reset UUID to prevent it from being reused next time */
9242 if (fGenerateUuid)
9243 unconst(pTarget->m->id).clear();
9244 }
9245
9246 // deregister the task registered in createDiffStorage()
9247 Assert(m->numCreateDiffTasks != 0);
9248 --m->numCreateDiffTasks;
9249
9250 mediaLock.release();
9251 i_markRegistriesModified();
9252 if (task.isAsync())
9253 {
9254 // in asynchronous mode, save settings now
9255 m->pVirtualBox->i_saveModifiedRegistries();
9256 }
9257
9258 /* Note that in sync mode, it's the caller's responsibility to
9259 * unlock the medium. */
9260
9261 if (task.NotifyAboutChanges() && SUCCEEDED(mrc))
9262 {
9263 m->pVirtualBox->i_onMediumConfigChanged(this);
9264 m->pVirtualBox->i_onMediumRegistered(m->id, m->devType, TRUE);
9265 }
9266
9267 return mrc;
9268}
9269
9270/**
9271 * Implementation code for the "merge" task.
9272 *
9273 * This task always gets started from Medium::mergeTo() and can run
9274 * synchronously or asynchronously depending on the "wait" parameter passed to
9275 * that function. If we run synchronously, the caller expects the medium
9276 * registry modification to be set before returning; otherwise (in asynchronous
9277 * mode), we save the settings ourselves.
9278 *
9279 * @param task
9280 * @return
9281 */
9282HRESULT Medium::i_taskMergeHandler(Medium::MergeTask &task)
9283{
9284 /** @todo r=klaus The code below needs to be double checked with regard
9285 * to lock order violations, it probably causes lock order issues related
9286 * to the AutoCaller usage. */
9287 HRESULT hrcTmp = S_OK;
9288
9289 const ComObjPtr<Medium> &pTarget = task.mTarget;
9290
9291 try
9292 {
9293 if (!task.mParentForTarget.isNull())
9294 if (task.mParentForTarget->i_getDepth() >= SETTINGS_MEDIUM_DEPTH_MAX)
9295 {
9296 AutoReadLock plock(task.mParentForTarget COMMA_LOCKVAL_SRC_POS);
9297 throw setError(VBOX_E_INVALID_OBJECT_STATE,
9298 tr("Cannot merge image for medium '%s', because it exceeds the medium tree depth limit. Please merge some images which you no longer need"),
9299 task.mParentForTarget->m->strLocationFull.c_str());
9300 }
9301
9302 // Resize target to source size, if possible. Otherwise throw an error.
9303 // It's offline resizing. Online resizing will be called in the
9304 // SessionMachine::onlineMergeMedium.
9305
9306 uint64_t sourceSize = 0;
9307 Utf8Str sourceName;
9308 {
9309 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
9310 sourceSize = i_getLogicalSize();
9311 sourceName = i_getName();
9312 }
9313 uint64_t targetSize = 0;
9314 Utf8Str targetName;
9315 {
9316 AutoReadLock alock(pTarget COMMA_LOCKVAL_SRC_POS);
9317 targetSize = pTarget->i_getLogicalSize();
9318 targetName = pTarget->i_getName();
9319 }
9320
9321 //reducing vm disks are not implemented yet
9322 if (sourceSize > targetSize)
9323 {
9324 if (i_isMediumFormatFile())
9325 {
9326 /// @todo r=klaus Can this use the standard code for creating a medium lock list?
9327 // Have to make own lock list, because "resize" method resizes the last image
9328 // in the lock chain only. The lock chain is already in the task.mpMediumLockList,
9329 // so just make new lock list based on it, with the right last medium. The own
9330 // lock list skips double locking and therefore does not affect the general lock
9331 // state after the "resize" method.
9332 MediumLockList* pMediumLockListForResize = new MediumLockList();
9333
9334 for (MediumLockList::Base::iterator it = task.mpMediumLockList->GetBegin();
9335 it != task.mpMediumLockList->GetEnd();
9336 ++it)
9337 {
9338 ComObjPtr<Medium> pMedium = it->GetMedium();
9339 pMediumLockListForResize->Append(pMedium, pMedium->m->state == MediumState_LockedWrite);
9340 if (pMedium == pTarget)
9341 break;
9342 }
9343
9344 // just to switch internal state of the lock list to avoid errors during list deletion,
9345 // because all media in the list already locked by task.mpMediumLockList
9346 HRESULT hrc = pMediumLockListForResize->Lock(true /* fSkipOverLockedMedia */);
9347 if (FAILED(hrc))
9348 {
9349 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9350 delete pMediumLockListForResize;
9351 throw setError(hrc,
9352 tr("Failed to lock the medium '%s' to resize before merge"),
9353 targetName.c_str());
9354 }
9355
9356 ComObjPtr<Progress> pProgress(task.GetProgressObject());
9357 hrc = pTarget->i_resize(sourceSize, pMediumLockListForResize, &pProgress, true, false);
9358 if (FAILED(hrc))
9359 {
9360 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9361 delete pMediumLockListForResize;
9362 throw setError(hrc,
9363 tr("Failed to set size of '%s' to size of '%s'"),
9364 targetName.c_str(), sourceName.c_str());
9365 }
9366 delete pMediumLockListForResize;
9367 }
9368 else
9369 {
9370 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9371 throw setError(VBOX_E_NOT_SUPPORTED,
9372 tr("Sizes of '%s' and '%s' are different and medium format does not support resing"),
9373 sourceName.c_str(), targetName.c_str());
9374 }
9375 }
9376
9377 task.GetProgressObject()->SetNextOperation(BstrFmt(tr("Merging medium '%s' to '%s'"),
9378 i_getName().c_str(),
9379 targetName.c_str()).raw(),
9380 1);
9381
9382 PVDISK hdd;
9383 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
9384 ComAssertRCThrow(vrc, E_FAIL);
9385
9386 try
9387 {
9388 // Similar code appears in SessionMachine::onlineMergeMedium, so
9389 // if you make any changes below check whether they are applicable
9390 // in that context as well.
9391
9392 unsigned uTargetIdx = VD_LAST_IMAGE;
9393 unsigned uSourceIdx = VD_LAST_IMAGE;
9394 /* Open all media in the chain. */
9395 MediumLockList::Base::iterator lockListBegin =
9396 task.mpMediumLockList->GetBegin();
9397 MediumLockList::Base::iterator lockListEnd =
9398 task.mpMediumLockList->GetEnd();
9399 unsigned i = 0;
9400 for (MediumLockList::Base::iterator it = lockListBegin;
9401 it != lockListEnd;
9402 ++it)
9403 {
9404 MediumLock &mediumLock = *it;
9405 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
9406
9407 if (pMedium == this)
9408 uSourceIdx = i;
9409 else if (pMedium == pTarget)
9410 uTargetIdx = i;
9411
9412 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
9413
9414 /*
9415 * complex sanity (sane complexity)
9416 *
9417 * The current medium must be in the Deleting (medium is merged)
9418 * or LockedRead (parent medium) state if it is not the target.
9419 * If it is the target it must be in the LockedWrite state.
9420 */
9421 Assert( ( pMedium != pTarget
9422 && ( pMedium->m->state == MediumState_Deleting
9423 || pMedium->m->state == MediumState_LockedRead))
9424 || ( pMedium == pTarget
9425 && pMedium->m->state == MediumState_LockedWrite));
9426 /*
9427 * Medium must be the target, in the LockedRead state
9428 * or Deleting state where it is not allowed to be attached
9429 * to a virtual machine.
9430 */
9431 Assert( pMedium == pTarget
9432 || pMedium->m->state == MediumState_LockedRead
9433 || ( pMedium->m->backRefs.size() == 0
9434 && pMedium->m->state == MediumState_Deleting));
9435 /* The source medium must be in Deleting state. */
9436 Assert( pMedium != this
9437 || pMedium->m->state == MediumState_Deleting);
9438
9439 unsigned uOpenFlags = VD_OPEN_FLAGS_NORMAL;
9440
9441 if ( pMedium->m->state == MediumState_LockedRead
9442 || pMedium->m->state == MediumState_Deleting)
9443 uOpenFlags = VD_OPEN_FLAGS_READONLY;
9444 if (pMedium->m->type == MediumType_Shareable)
9445 uOpenFlags |= VD_OPEN_FLAGS_SHAREABLE;
9446
9447 /* Open the medium */
9448 vrc = VDOpen(hdd,
9449 pMedium->m->strFormat.c_str(),
9450 pMedium->m->strLocationFull.c_str(),
9451 uOpenFlags | m->uOpenFlagsDef,
9452 pMedium->m->vdImageIfaces);
9453 if (RT_FAILURE(vrc))
9454 throw vrc;
9455
9456 i++;
9457 }
9458
9459 ComAssertThrow( uSourceIdx != VD_LAST_IMAGE
9460 && uTargetIdx != VD_LAST_IMAGE, E_FAIL);
9461
9462 vrc = VDMerge(hdd, uSourceIdx, uTargetIdx,
9463 task.mVDOperationIfaces);
9464 if (RT_FAILURE(vrc))
9465 throw vrc;
9466
9467 /* update parent UUIDs */
9468 if (!task.mfMergeForward)
9469 {
9470 /* we need to update UUIDs of all source's children
9471 * which cannot be part of the container at once so
9472 * add each one in there individually */
9473 if (task.mpChildrenToReparent)
9474 {
9475 MediumLockList::Base::iterator childrenBegin = task.mpChildrenToReparent->GetBegin();
9476 MediumLockList::Base::iterator childrenEnd = task.mpChildrenToReparent->GetEnd();
9477 for (MediumLockList::Base::iterator it = childrenBegin;
9478 it != childrenEnd;
9479 ++it)
9480 {
9481 Medium *pMedium = it->GetMedium();
9482 /* VD_OPEN_FLAGS_INFO since UUID is wrong yet */
9483 vrc = VDOpen(hdd,
9484 pMedium->m->strFormat.c_str(),
9485 pMedium->m->strLocationFull.c_str(),
9486 VD_OPEN_FLAGS_INFO | m->uOpenFlagsDef,
9487 pMedium->m->vdImageIfaces);
9488 if (RT_FAILURE(vrc))
9489 throw vrc;
9490
9491 vrc = VDSetParentUuid(hdd, VD_LAST_IMAGE,
9492 pTarget->m->id.raw());
9493 if (RT_FAILURE(vrc))
9494 throw vrc;
9495
9496 vrc = VDClose(hdd, false /* fDelete */);
9497 if (RT_FAILURE(vrc))
9498 throw vrc;
9499 }
9500 }
9501 }
9502 }
9503 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9504 catch (int aVRC)
9505 {
9506 hrcTmp = setErrorBoth(VBOX_E_FILE_ERROR, aVRC,
9507 tr("Could not merge the medium '%s' to '%s'%s"),
9508 m->strLocationFull.c_str(),
9509 pTarget->m->strLocationFull.c_str(),
9510 i_vdError(aVRC).c_str());
9511 }
9512
9513 VDDestroy(hdd);
9514 }
9515 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9516
9517 ErrorInfoKeeper eik;
9518 MultiResult mrc(hrcTmp);
9519 HRESULT hrc2;
9520
9521 std::set<ComObjPtr<Medium> > pMediaForNotify;
9522 std::map<Guid, DeviceType_T> uIdsForNotify;
9523
9524 if (SUCCEEDED(mrc))
9525 {
9526 /* all media but the target were successfully deleted by
9527 * VDMerge; reparent the last one and uninitialize deleted media. */
9528
9529 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
9530
9531 if (task.mfMergeForward)
9532 {
9533 /* first, unregister the target since it may become a base
9534 * medium which needs re-registration */
9535 hrc2 = m->pVirtualBox->i_unregisterMedium(pTarget);
9536 AssertComRC(hrc2);
9537
9538 /* then, reparent it and disconnect the deleted branch at both ends
9539 * (chain->parent() is source's parent). Depth check above. */
9540 pTarget->i_deparent();
9541 pTarget->i_setParent(task.mParentForTarget);
9542 if (task.mParentForTarget)
9543 {
9544 i_deparent();
9545 if (task.NotifyAboutChanges())
9546 pMediaForNotify.insert(task.mParentForTarget);
9547 }
9548
9549 /* then, register again */
9550 ComObjPtr<Medium> pMedium;
9551 hrc2 = m->pVirtualBox->i_registerMedium(pTarget, &pMedium, treeLock);
9552 AssertComRC(hrc2);
9553 }
9554 else
9555 {
9556 Assert(pTarget->i_getChildren().size() == 1);
9557 Medium *targetChild = pTarget->i_getChildren().front();
9558
9559 /* disconnect the deleted branch at the elder end */
9560 targetChild->i_deparent();
9561
9562 /* reparent source's children and disconnect the deleted
9563 * branch at the younger end */
9564 if (task.mpChildrenToReparent)
9565 {
9566 /* obey {parent,child} lock order */
9567 AutoWriteLock sourceLock(this COMMA_LOCKVAL_SRC_POS);
9568
9569 MediumLockList::Base::iterator childrenBegin = task.mpChildrenToReparent->GetBegin();
9570 MediumLockList::Base::iterator childrenEnd = task.mpChildrenToReparent->GetEnd();
9571 for (MediumLockList::Base::iterator it = childrenBegin;
9572 it != childrenEnd;
9573 ++it)
9574 {
9575 Medium *pMedium = it->GetMedium();
9576 AutoWriteLock childLock(pMedium COMMA_LOCKVAL_SRC_POS);
9577
9578 pMedium->i_deparent(); // removes pMedium from source
9579 // no depth check, reduces depth
9580 pMedium->i_setParent(pTarget);
9581
9582 if (task.NotifyAboutChanges())
9583 pMediaForNotify.insert(pMedium);
9584 }
9585 }
9586 pMediaForNotify.insert(pTarget);
9587 }
9588
9589 /* unregister and uninitialize all media removed by the merge */
9590 MediumLockList::Base::iterator lockListBegin =
9591 task.mpMediumLockList->GetBegin();
9592 MediumLockList::Base::iterator lockListEnd =
9593 task.mpMediumLockList->GetEnd();
9594 for (MediumLockList::Base::iterator it = lockListBegin;
9595 it != lockListEnd;
9596 )
9597 {
9598 MediumLock &mediumLock = *it;
9599 /* Create a real copy of the medium pointer, as the medium
9600 * lock deletion below would invalidate the referenced object. */
9601 const ComObjPtr<Medium> pMedium = mediumLock.GetMedium();
9602
9603 /* The target and all media not merged (readonly) are skipped */
9604 if ( pMedium == pTarget
9605 || pMedium->m->state == MediumState_LockedRead)
9606 {
9607 ++it;
9608 continue;
9609 }
9610
9611 uIdsForNotify[pMedium->i_getId()] = pMedium->i_getDeviceType();
9612 hrc2 = pMedium->m->pVirtualBox->i_unregisterMedium(pMedium);
9613 AssertComRC(hrc2);
9614
9615 /* now, uninitialize the deleted medium (note that
9616 * due to the Deleting state, uninit() will not touch
9617 * the parent-child relationship so we need to
9618 * uninitialize each disk individually) */
9619
9620 /* note that the operation initiator medium (which is
9621 * normally also the source medium) is a special case
9622 * -- there is one more caller added by Task to it which
9623 * we must release. Also, if we are in sync mode, the
9624 * caller may still hold an AutoCaller instance for it
9625 * and therefore we cannot uninit() it (it's therefore
9626 * the caller's responsibility) */
9627 if (pMedium == this)
9628 {
9629 Assert(i_getChildren().size() == 0);
9630 Assert(m->backRefs.size() == 0);
9631 task.mMediumCaller.release();
9632 }
9633
9634 /* Delete the medium lock list entry, which also releases the
9635 * caller added by MergeChain before uninit() and updates the
9636 * iterator to point to the right place. */
9637 hrc2 = task.mpMediumLockList->RemoveByIterator(it);
9638 AssertComRC(hrc2);
9639
9640 if (task.isAsync() || pMedium != this)
9641 {
9642 treeLock.release();
9643 pMedium->uninit();
9644 treeLock.acquire();
9645 }
9646 }
9647 }
9648
9649 i_markRegistriesModified();
9650 if (task.isAsync())
9651 {
9652 // in asynchronous mode, save settings now
9653 eik.restore();
9654 m->pVirtualBox->i_saveModifiedRegistries();
9655 eik.fetch();
9656 }
9657
9658 if (FAILED(mrc))
9659 {
9660 /* Here we come if either VDMerge() failed (in which case we
9661 * assume that it tried to do everything to make a further
9662 * retry possible -- e.g. not deleted intermediate media
9663 * and so on) or VirtualBox::saveRegistries() failed (where we
9664 * should have the original tree but with intermediate storage
9665 * units deleted by VDMerge()). We have to only restore states
9666 * (through the MergeChain dtor) unless we are run synchronously
9667 * in which case it's the responsibility of the caller as stated
9668 * in the mergeTo() docs. The latter also implies that we
9669 * don't own the merge chain, so release it in this case. */
9670 if (task.isAsync())
9671 i_cancelMergeTo(task.mpChildrenToReparent, task.mpMediumLockList);
9672 }
9673 else if (task.NotifyAboutChanges())
9674 {
9675 for (std::set<ComObjPtr<Medium> >::const_iterator it = pMediaForNotify.begin();
9676 it != pMediaForNotify.end();
9677 ++it)
9678 {
9679 if (it->isNotNull())
9680 m->pVirtualBox->i_onMediumConfigChanged(*it);
9681 }
9682 for (std::map<Guid, DeviceType_T>::const_iterator it = uIdsForNotify.begin();
9683 it != uIdsForNotify.end();
9684 ++it)
9685 {
9686 m->pVirtualBox->i_onMediumRegistered(it->first, it->second, FALSE);
9687 }
9688 }
9689
9690 return mrc;
9691}
9692
9693/**
9694 * Implementation code for the "clone" task.
9695 *
9696 * This only gets started from Medium::CloneTo() and always runs asynchronously.
9697 * As a result, we always save the VirtualBox.xml file when we're done here.
9698 *
9699 * @param task
9700 * @return
9701 */
9702HRESULT Medium::i_taskCloneHandler(Medium::CloneTask &task)
9703{
9704 /** @todo r=klaus The code below needs to be double checked with regard
9705 * to lock order violations, it probably causes lock order issues related
9706 * to the AutoCaller usage. */
9707 HRESULT hrcTmp = S_OK;
9708
9709 const ComObjPtr<Medium> &pTarget = task.mTarget;
9710 const ComObjPtr<Medium> &pParent = task.mParent;
9711
9712 bool fCreatingTarget = false;
9713
9714 uint64_t size = 0, logicalSize = 0;
9715 MediumVariant_T variant = MediumVariant_Standard;
9716 bool fGenerateUuid = false;
9717
9718 try
9719 {
9720 if (!pParent.isNull())
9721 {
9722
9723 if (pParent->i_getDepth() >= SETTINGS_MEDIUM_DEPTH_MAX)
9724 {
9725 AutoReadLock plock(pParent COMMA_LOCKVAL_SRC_POS);
9726 throw setError(VBOX_E_INVALID_OBJECT_STATE,
9727 tr("Cannot clone image for medium '%s', because it exceeds the medium tree depth limit. Please merge some images which you no longer need"),
9728 pParent->m->strLocationFull.c_str());
9729 }
9730 }
9731
9732 /* Lock all in {parent,child} order. The lock is also used as a
9733 * signal from the task initiator (which releases it only after
9734 * RTThreadCreate()) that we can start the job. */
9735 AutoMultiWriteLock3 thisLock(this, pTarget, pParent COMMA_LOCKVAL_SRC_POS);
9736
9737 fCreatingTarget = pTarget->m->state == MediumState_Creating;
9738
9739 /* The object may request a specific UUID (through a special form of
9740 * the moveTo() argument). Otherwise we have to generate it */
9741 Guid targetId = pTarget->m->id;
9742
9743 fGenerateUuid = targetId.isZero();
9744 if (fGenerateUuid)
9745 {
9746 targetId.create();
9747 /* VirtualBox::registerMedium() will need UUID */
9748 unconst(pTarget->m->id) = targetId;
9749 }
9750
9751 PVDISK hdd;
9752 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
9753 ComAssertRCThrow(vrc, E_FAIL);
9754
9755 try
9756 {
9757 /* Open all media in the source chain. */
9758 MediumLockList::Base::const_iterator sourceListBegin =
9759 task.mpSourceMediumLockList->GetBegin();
9760 MediumLockList::Base::const_iterator sourceListEnd =
9761 task.mpSourceMediumLockList->GetEnd();
9762 for (MediumLockList::Base::const_iterator it = sourceListBegin;
9763 it != sourceListEnd;
9764 ++it)
9765 {
9766 const MediumLock &mediumLock = *it;
9767 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
9768 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
9769
9770 /* sanity check */
9771 Assert(pMedium->m->state == MediumState_LockedRead);
9772
9773 /** Open all media in read-only mode. */
9774 vrc = VDOpen(hdd,
9775 pMedium->m->strFormat.c_str(),
9776 pMedium->m->strLocationFull.c_str(),
9777 VD_OPEN_FLAGS_READONLY | m->uOpenFlagsDef,
9778 pMedium->m->vdImageIfaces);
9779 if (RT_FAILURE(vrc))
9780 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9781 tr("Could not open the medium storage unit '%s'%s"),
9782 pMedium->m->strLocationFull.c_str(),
9783 i_vdError(vrc).c_str());
9784 }
9785
9786 Utf8Str targetFormat(pTarget->m->strFormat);
9787 Utf8Str targetLocation(pTarget->m->strLocationFull);
9788 uint64_t capabilities = pTarget->m->formatObj->i_getCapabilities();
9789
9790 Assert( pTarget->m->state == MediumState_Creating
9791 || pTarget->m->state == MediumState_LockedWrite);
9792 Assert(m->state == MediumState_LockedRead);
9793 Assert( pParent.isNull()
9794 || pParent->m->state == MediumState_LockedRead);
9795
9796 /* unlock before the potentially lengthy operation */
9797 thisLock.release();
9798
9799 /* ensure the target directory exists */
9800 if (capabilities & MediumFormatCapabilities_File)
9801 {
9802 HRESULT hrc = VirtualBox::i_ensureFilePathExists(targetLocation,
9803 !(task.mVariant & MediumVariant_NoCreateDir) /* fCreate */);
9804 if (FAILED(hrc))
9805 throw hrc;
9806 }
9807
9808 PVDISK targetHdd;
9809 vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &targetHdd);
9810 ComAssertRCThrow(vrc, E_FAIL);
9811
9812 try
9813 {
9814 /* Open all media in the target chain. */
9815 MediumLockList::Base::const_iterator targetListBegin =
9816 task.mpTargetMediumLockList->GetBegin();
9817 MediumLockList::Base::const_iterator targetListEnd =
9818 task.mpTargetMediumLockList->GetEnd();
9819 for (MediumLockList::Base::const_iterator it = targetListBegin;
9820 it != targetListEnd;
9821 ++it)
9822 {
9823 const MediumLock &mediumLock = *it;
9824 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
9825
9826 /* If the target medium is not created yet there's no
9827 * reason to open it. */
9828 if (pMedium == pTarget && fCreatingTarget)
9829 continue;
9830
9831 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
9832
9833 /* sanity check */
9834 Assert( pMedium->m->state == MediumState_LockedRead
9835 || pMedium->m->state == MediumState_LockedWrite);
9836
9837 unsigned uOpenFlags = VD_OPEN_FLAGS_NORMAL;
9838 if (pMedium->m->state != MediumState_LockedWrite)
9839 uOpenFlags = VD_OPEN_FLAGS_READONLY;
9840 if (pMedium->m->type == MediumType_Shareable)
9841 uOpenFlags |= VD_OPEN_FLAGS_SHAREABLE;
9842
9843 /* Open all media in appropriate mode. */
9844 vrc = VDOpen(targetHdd,
9845 pMedium->m->strFormat.c_str(),
9846 pMedium->m->strLocationFull.c_str(),
9847 uOpenFlags | m->uOpenFlagsDef,
9848 pMedium->m->vdImageIfaces);
9849 if (RT_FAILURE(vrc))
9850 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9851 tr("Could not open the medium storage unit '%s'%s"),
9852 pMedium->m->strLocationFull.c_str(),
9853 i_vdError(vrc).c_str());
9854 }
9855
9856 /* target isn't locked, but no changing data is accessed */
9857 if (task.midxSrcImageSame == UINT32_MAX)
9858 {
9859 vrc = VDCopy(hdd,
9860 VD_LAST_IMAGE,
9861 targetHdd,
9862 targetFormat.c_str(),
9863 (fCreatingTarget) ? targetLocation.c_str() : (char *)NULL,
9864 false /* fMoveByRename */,
9865 task.mTargetLogicalSize /* cbSize */,
9866 task.mVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk),
9867 targetId.raw(),
9868 VD_OPEN_FLAGS_NORMAL | m->uOpenFlagsDef,
9869 NULL /* pVDIfsOperation */,
9870 pTarget->m->vdImageIfaces,
9871 task.mVDOperationIfaces);
9872 }
9873 else
9874 {
9875 vrc = VDCopyEx(hdd,
9876 VD_LAST_IMAGE,
9877 targetHdd,
9878 targetFormat.c_str(),
9879 (fCreatingTarget) ? targetLocation.c_str() : (char *)NULL,
9880 false /* fMoveByRename */,
9881 task.mTargetLogicalSize /* cbSize */,
9882 task.midxSrcImageSame,
9883 task.midxDstImageSame,
9884 task.mVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk),
9885 targetId.raw(),
9886 VD_OPEN_FLAGS_NORMAL | m->uOpenFlagsDef,
9887 NULL /* pVDIfsOperation */,
9888 pTarget->m->vdImageIfaces,
9889 task.mVDOperationIfaces);
9890 }
9891 if (RT_FAILURE(vrc))
9892 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
9893 tr("Could not create the clone medium '%s'%s"),
9894 targetLocation.c_str(), i_vdError(vrc).c_str());
9895
9896 size = VDGetFileSize(targetHdd, VD_LAST_IMAGE);
9897 logicalSize = VDGetSize(targetHdd, VD_LAST_IMAGE);
9898 unsigned uImageFlags;
9899 vrc = VDGetImageFlags(targetHdd, 0, &uImageFlags);
9900 if (RT_SUCCESS(vrc))
9901 variant = (MediumVariant_T)uImageFlags;
9902 }
9903 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9904
9905 VDDestroy(targetHdd);
9906 }
9907 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9908
9909 VDDestroy(hdd);
9910 }
9911 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
9912
9913 ErrorInfoKeeper eik;
9914 MultiResult mrc(hrcTmp);
9915
9916 /* Only do the parent changes for newly created media. */
9917 if (SUCCEEDED(mrc) && fCreatingTarget)
9918 {
9919 /* we set m->pParent & children() */
9920 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
9921
9922 Assert(pTarget->m->pParent.isNull());
9923
9924 if (pParent)
9925 {
9926 /* Associate the clone with the parent and deassociate
9927 * from VirtualBox. Depth check above. */
9928 pTarget->i_setParent(pParent);
9929
9930 /* register with mVirtualBox as the last step and move to
9931 * Created state only on success (leaving an orphan file is
9932 * better than breaking media registry consistency) */
9933 eik.restore();
9934 ComObjPtr<Medium> pMedium;
9935 mrc = pParent->m->pVirtualBox->i_registerMedium(pTarget, &pMedium,
9936 treeLock);
9937 Assert( FAILED(mrc)
9938 || pTarget == pMedium);
9939 eik.fetch();
9940
9941 if (FAILED(mrc))
9942 /* break parent association on failure to register */
9943 pTarget->i_deparent(); // removes target from parent
9944 }
9945 else
9946 {
9947 /* just register */
9948 eik.restore();
9949 ComObjPtr<Medium> pMedium;
9950 mrc = m->pVirtualBox->i_registerMedium(pTarget, &pMedium,
9951 treeLock);
9952 Assert( FAILED(mrc)
9953 || pTarget == pMedium);
9954 eik.fetch();
9955 }
9956 }
9957
9958 if (fCreatingTarget)
9959 {
9960 AutoWriteLock mLock(pTarget COMMA_LOCKVAL_SRC_POS);
9961
9962 if (SUCCEEDED(mrc))
9963 {
9964 pTarget->m->state = MediumState_Created;
9965
9966 pTarget->m->size = size;
9967 pTarget->m->logicalSize = logicalSize;
9968 pTarget->m->variant = variant;
9969 }
9970 else
9971 {
9972 /* back to NotCreated on failure */
9973 pTarget->m->state = MediumState_NotCreated;
9974
9975 /* reset UUID to prevent it from being reused next time */
9976 if (fGenerateUuid)
9977 unconst(pTarget->m->id).clear();
9978 }
9979 }
9980
9981 /* Copy any filter related settings over to the target. */
9982 if (SUCCEEDED(mrc))
9983 {
9984 /* Copy any filter related settings over. */
9985 ComObjPtr<Medium> pBase = i_getBase();
9986 ComObjPtr<Medium> pTargetBase = pTarget->i_getBase();
9987 std::vector<com::Utf8Str> aFilterPropNames;
9988 std::vector<com::Utf8Str> aFilterPropValues;
9989 mrc = pBase->i_getFilterProperties(aFilterPropNames, aFilterPropValues);
9990 if (SUCCEEDED(mrc))
9991 {
9992 /* Go through the properties and add them to the target medium. */
9993 for (unsigned idx = 0; idx < aFilterPropNames.size(); idx++)
9994 {
9995 mrc = pTargetBase->i_setPropertyDirect(aFilterPropNames[idx], aFilterPropValues[idx]);
9996 if (FAILED(mrc)) break;
9997 }
9998
9999 // now, at the end of this task (always asynchronous), save the settings
10000 if (SUCCEEDED(mrc))
10001 {
10002 // save the settings
10003 i_markRegistriesModified();
10004 /* collect multiple errors */
10005 eik.restore();
10006 m->pVirtualBox->i_saveModifiedRegistries();
10007 eik.fetch();
10008
10009 if (task.NotifyAboutChanges())
10010 {
10011 if (!fCreatingTarget)
10012 {
10013 if (!aFilterPropNames.empty())
10014 m->pVirtualBox->i_onMediumConfigChanged(pTargetBase);
10015 if (pParent)
10016 m->pVirtualBox->i_onMediumConfigChanged(pParent);
10017 }
10018 else
10019 {
10020 m->pVirtualBox->i_onMediumRegistered(pTarget->i_getId(), pTarget->i_getDeviceType(), TRUE);
10021 }
10022 }
10023 }
10024 }
10025 }
10026
10027 /* Everything is explicitly unlocked when the task exits,
10028 * as the task destruction also destroys the source chain. */
10029
10030 /* Make sure the source chain is released early. It could happen
10031 * that we get a deadlock in Appliance::Import when Medium::Close
10032 * is called & the source chain is released at the same time. */
10033 task.mpSourceMediumLockList->Clear();
10034
10035 return mrc;
10036}
10037
10038/**
10039 * Implementation code for the "move" task.
10040 *
10041 * This only gets started from Medium::MoveTo() and always
10042 * runs asynchronously.
10043 *
10044 * @param task
10045 * @return
10046 */
10047HRESULT Medium::i_taskMoveHandler(Medium::MoveTask &task)
10048{
10049 LogFlowFuncEnter();
10050 HRESULT hrcOut = S_OK;
10051
10052 /* pTarget is equal "this" in our case */
10053 const ComObjPtr<Medium> &pTarget = task.mMedium;
10054
10055 uint64_t size = 0; NOREF(size);
10056 uint64_t logicalSize = 0; NOREF(logicalSize);
10057 MediumVariant_T variant = MediumVariant_Standard; NOREF(variant);
10058
10059 /*
10060 * it's exactly moving, not cloning
10061 */
10062 if (!i_isMoveOperation(pTarget))
10063 {
10064 LogFlowFunc(("LEAVE: hrc=VBOX_E_FILE_ERROR (early)\n"));
10065 return setError(VBOX_E_FILE_ERROR,
10066 tr("Wrong preconditions for moving the medium %s"),
10067 pTarget->m->strLocationFull.c_str());
10068 }
10069
10070 try
10071 {
10072 /* Lock all in {parent,child} order. The lock is also used as a
10073 * signal from the task initiator (which releases it only after
10074 * RTThreadCreate()) that we can start the job. */
10075
10076 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10077
10078 PVDISK hdd;
10079 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10080 ComAssertRCThrow(vrc, E_FAIL);
10081
10082 try
10083 {
10084 /* Open all media in the source chain. */
10085 MediumLockList::Base::const_iterator sourceListBegin =
10086 task.mpMediumLockList->GetBegin();
10087 MediumLockList::Base::const_iterator sourceListEnd =
10088 task.mpMediumLockList->GetEnd();
10089 for (MediumLockList::Base::const_iterator it = sourceListBegin;
10090 it != sourceListEnd;
10091 ++it)
10092 {
10093 const MediumLock &mediumLock = *it;
10094 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
10095 AutoWriteLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
10096
10097 /* sanity check */
10098 Assert(pMedium->m->state == MediumState_LockedWrite);
10099
10100 vrc = VDOpen(hdd,
10101 pMedium->m->strFormat.c_str(),
10102 pMedium->m->strLocationFull.c_str(),
10103 VD_OPEN_FLAGS_NORMAL,
10104 pMedium->m->vdImageIfaces);
10105 if (RT_FAILURE(vrc))
10106 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10107 tr("Could not open the medium storage unit '%s'%s"),
10108 pMedium->m->strLocationFull.c_str(),
10109 i_vdError(vrc).c_str());
10110 }
10111
10112 /* we can directly use pTarget->m->"variables" but for better reading we use local copies */
10113 Guid targetId = pTarget->m->id;
10114 Utf8Str targetFormat(pTarget->m->strFormat);
10115 uint64_t targetCapabilities = pTarget->m->formatObj->i_getCapabilities();
10116
10117 /*
10118 * change target location
10119 * m->strNewLocationFull has been set already together with m->fMoveThisMedium in
10120 * i_preparationForMoving()
10121 */
10122 Utf8Str targetLocation = i_getNewLocationForMoving();
10123
10124 /* unlock before the potentially lengthy operation */
10125 thisLock.release();
10126
10127 /* ensure the target directory exists */
10128 if (targetCapabilities & MediumFormatCapabilities_File)
10129 {
10130 HRESULT hrc = VirtualBox::i_ensureFilePathExists(targetLocation,
10131 !(task.mVariant & MediumVariant_NoCreateDir) /* fCreate */);
10132 if (FAILED(hrc))
10133 throw hrc;
10134 }
10135
10136 try
10137 {
10138 vrc = VDCopy(hdd,
10139 VD_LAST_IMAGE,
10140 hdd,
10141 targetFormat.c_str(),
10142 targetLocation.c_str(),
10143 true /* fMoveByRename */,
10144 0 /* cbSize */,
10145 VD_IMAGE_FLAGS_NONE,
10146 targetId.raw(),
10147 VD_OPEN_FLAGS_NORMAL,
10148 NULL /* pVDIfsOperation */,
10149 pTarget->m->vdImageIfaces,
10150 task.mVDOperationIfaces);
10151 if (RT_FAILURE(vrc))
10152 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10153 tr("Could not move medium '%s'%s"),
10154 targetLocation.c_str(), i_vdError(vrc).c_str());
10155 size = VDGetFileSize(hdd, VD_LAST_IMAGE);
10156 logicalSize = VDGetSize(hdd, VD_LAST_IMAGE);
10157 unsigned uImageFlags;
10158 vrc = VDGetImageFlags(hdd, 0, &uImageFlags);
10159 if (RT_SUCCESS(vrc))
10160 variant = (MediumVariant_T)uImageFlags;
10161
10162 /*
10163 * set current location, because VDCopy\VDCopyEx doesn't do it.
10164 * also reset moving flag
10165 */
10166 i_resetMoveOperationData();
10167 m->strLocationFull = targetLocation;
10168
10169 }
10170 catch (HRESULT hrcXcpt) { hrcOut = hrcXcpt; }
10171
10172 }
10173 catch (HRESULT hrcXcpt) { hrcOut = hrcXcpt; }
10174
10175 VDDestroy(hdd);
10176 }
10177 catch (HRESULT hrcXcpt) { hrcOut = hrcXcpt; }
10178
10179 ErrorInfoKeeper eik;
10180 MultiResult mrc(hrcOut);
10181
10182 // now, at the end of this task (always asynchronous), save the settings
10183 if (SUCCEEDED(mrc))
10184 {
10185 // save the settings
10186 i_markRegistriesModified();
10187 /* collect multiple errors */
10188 eik.restore();
10189 m->pVirtualBox->i_saveModifiedRegistries();
10190 eik.fetch();
10191 }
10192
10193 /* Everything is explicitly unlocked when the task exits,
10194 * as the task destruction also destroys the source chain. */
10195
10196 task.mpMediumLockList->Clear();
10197
10198 if (task.NotifyAboutChanges() && SUCCEEDED(mrc))
10199 m->pVirtualBox->i_onMediumConfigChanged(this);
10200
10201 LogFlowFunc(("LEAVE: mrc=%Rhrc\n", (HRESULT)mrc));
10202 return mrc;
10203}
10204
10205/**
10206 * Implementation code for the "delete" task.
10207 *
10208 * This task always gets started from Medium::deleteStorage() and can run
10209 * synchronously or asynchronously depending on the "wait" parameter passed to
10210 * that function.
10211 *
10212 * @param task
10213 * @return
10214 */
10215HRESULT Medium::i_taskDeleteHandler(Medium::DeleteTask &task)
10216{
10217 NOREF(task);
10218 HRESULT hrc = S_OK;
10219
10220 try
10221 {
10222 /* The lock is also used as a signal from the task initiator (which
10223 * releases it only after RTThreadCreate()) that we can start the job */
10224 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10225
10226 PVDISK hdd;
10227 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10228 ComAssertRCThrow(vrc, E_FAIL);
10229
10230 Utf8Str format(m->strFormat);
10231 Utf8Str location(m->strLocationFull);
10232
10233 /* unlock before the potentially lengthy operation */
10234 Assert(m->state == MediumState_Deleting);
10235 thisLock.release();
10236
10237 try
10238 {
10239 vrc = VDOpen(hdd,
10240 format.c_str(),
10241 location.c_str(),
10242 VD_OPEN_FLAGS_READONLY | VD_OPEN_FLAGS_INFO | m->uOpenFlagsDef,
10243 m->vdImageIfaces);
10244 if (RT_SUCCESS(vrc))
10245 vrc = VDClose(hdd, true /* fDelete */);
10246
10247 if (RT_FAILURE(vrc) && vrc != VERR_FILE_NOT_FOUND)
10248 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10249 tr("Could not delete the medium storage unit '%s'%s"),
10250 location.c_str(), i_vdError(vrc).c_str());
10251
10252 }
10253 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10254
10255 VDDestroy(hdd);
10256 }
10257 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10258
10259 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10260
10261 /* go to the NotCreated state even on failure since the storage
10262 * may have been already partially deleted and cannot be used any
10263 * more. One will be able to manually re-open the storage if really
10264 * needed to re-register it. */
10265 m->state = MediumState_NotCreated;
10266
10267 /* Reset UUID to prevent Create* from reusing it again */
10268 com::Guid uOldId = m->id;
10269 unconst(m->id).clear();
10270
10271 if (task.NotifyAboutChanges() && SUCCEEDED(hrc))
10272 {
10273 if (m->pParent.isNotNull())
10274 m->pVirtualBox->i_onMediumConfigChanged(m->pParent);
10275 m->pVirtualBox->i_onMediumRegistered(uOldId, m->devType, FALSE);
10276 }
10277
10278 return hrc;
10279}
10280
10281/**
10282 * Implementation code for the "reset" task.
10283 *
10284 * This always gets started asynchronously from Medium::Reset().
10285 *
10286 * @param task
10287 * @return
10288 */
10289HRESULT Medium::i_taskResetHandler(Medium::ResetTask &task)
10290{
10291 HRESULT hrc = S_OK;
10292
10293 uint64_t size = 0, logicalSize = 0;
10294 MediumVariant_T variant = MediumVariant_Standard;
10295
10296 try
10297 {
10298 /* The lock is also used as a signal from the task initiator (which
10299 * releases it only after RTThreadCreate()) that we can start the job */
10300 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10301
10302 /// @todo Below we use a pair of delete/create operations to reset
10303 /// the diff contents but the most efficient way will of course be
10304 /// to add a VDResetDiff() API call
10305
10306 PVDISK hdd;
10307 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10308 ComAssertRCThrow(vrc, E_FAIL);
10309
10310 Guid id = m->id;
10311 Utf8Str format(m->strFormat);
10312 Utf8Str location(m->strLocationFull);
10313
10314 Medium *pParent = m->pParent;
10315 Guid parentId = pParent->m->id;
10316 Utf8Str parentFormat(pParent->m->strFormat);
10317 Utf8Str parentLocation(pParent->m->strLocationFull);
10318
10319 Assert(m->state == MediumState_LockedWrite);
10320
10321 /* unlock before the potentially lengthy operation */
10322 thisLock.release();
10323
10324 try
10325 {
10326 /* Open all media in the target chain but the last. */
10327 MediumLockList::Base::const_iterator targetListBegin =
10328 task.mpMediumLockList->GetBegin();
10329 MediumLockList::Base::const_iterator targetListEnd =
10330 task.mpMediumLockList->GetEnd();
10331 for (MediumLockList::Base::const_iterator it = targetListBegin;
10332 it != targetListEnd;
10333 ++it)
10334 {
10335 const MediumLock &mediumLock = *it;
10336 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
10337
10338 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
10339
10340 /* sanity check, "this" is checked above */
10341 Assert( pMedium == this
10342 || pMedium->m->state == MediumState_LockedRead);
10343
10344 /* Open all media in appropriate mode. */
10345 vrc = VDOpen(hdd,
10346 pMedium->m->strFormat.c_str(),
10347 pMedium->m->strLocationFull.c_str(),
10348 VD_OPEN_FLAGS_READONLY | m->uOpenFlagsDef,
10349 pMedium->m->vdImageIfaces);
10350 if (RT_FAILURE(vrc))
10351 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10352 tr("Could not open the medium storage unit '%s'%s"),
10353 pMedium->m->strLocationFull.c_str(),
10354 i_vdError(vrc).c_str());
10355
10356 /* Done when we hit the media which should be reset */
10357 if (pMedium == this)
10358 break;
10359 }
10360
10361 /* first, delete the storage unit */
10362 vrc = VDClose(hdd, true /* fDelete */);
10363 if (RT_FAILURE(vrc))
10364 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10365 tr("Could not delete the medium storage unit '%s'%s"),
10366 location.c_str(), i_vdError(vrc).c_str());
10367
10368 /* next, create it again */
10369 vrc = VDOpen(hdd,
10370 parentFormat.c_str(),
10371 parentLocation.c_str(),
10372 VD_OPEN_FLAGS_READONLY | VD_OPEN_FLAGS_INFO | m->uOpenFlagsDef,
10373 m->vdImageIfaces);
10374 if (RT_FAILURE(vrc))
10375 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10376 tr("Could not open the medium storage unit '%s'%s"),
10377 parentLocation.c_str(), i_vdError(vrc).c_str());
10378
10379 vrc = VDCreateDiff(hdd,
10380 format.c_str(),
10381 location.c_str(),
10382 /// @todo use the same medium variant as before
10383 VD_IMAGE_FLAGS_NONE,
10384 NULL,
10385 id.raw(),
10386 parentId.raw(),
10387 VD_OPEN_FLAGS_NORMAL,
10388 m->vdImageIfaces,
10389 task.mVDOperationIfaces);
10390 if (RT_FAILURE(vrc))
10391 {
10392 if (vrc == VERR_VD_INVALID_TYPE)
10393 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10394 tr("Parameters for creating the differencing medium storage unit '%s' are invalid%s"),
10395 location.c_str(), i_vdError(vrc).c_str());
10396 else
10397 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10398 tr("Could not create the differencing medium storage unit '%s'%s"),
10399 location.c_str(), i_vdError(vrc).c_str());
10400 }
10401
10402 size = VDGetFileSize(hdd, VD_LAST_IMAGE);
10403 logicalSize = VDGetSize(hdd, VD_LAST_IMAGE);
10404 unsigned uImageFlags;
10405 vrc = VDGetImageFlags(hdd, 0, &uImageFlags);
10406 if (RT_SUCCESS(vrc))
10407 variant = (MediumVariant_T)uImageFlags;
10408 }
10409 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10410
10411 VDDestroy(hdd);
10412 }
10413 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10414
10415 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10416
10417 m->size = size;
10418 m->logicalSize = logicalSize;
10419 m->variant = variant;
10420
10421 if (task.NotifyAboutChanges() && SUCCEEDED(hrc))
10422 m->pVirtualBox->i_onMediumConfigChanged(this);
10423
10424 /* Everything is explicitly unlocked when the task exits,
10425 * as the task destruction also destroys the media chain. */
10426
10427 return hrc;
10428}
10429
10430/**
10431 * Implementation code for the "compact" task.
10432 *
10433 * @param task
10434 * @return
10435 */
10436HRESULT Medium::i_taskCompactHandler(Medium::CompactTask &task)
10437{
10438 HRESULT hrc = S_OK;
10439
10440 /* Lock all in {parent,child} order. The lock is also used as a
10441 * signal from the task initiator (which releases it only after
10442 * RTThreadCreate()) that we can start the job. */
10443 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10444
10445 try
10446 {
10447 PVDISK hdd;
10448 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10449 ComAssertRCThrow(vrc, E_FAIL);
10450
10451 try
10452 {
10453 /* Open all media in the chain. */
10454 MediumLockList::Base::const_iterator mediumListBegin =
10455 task.mpMediumLockList->GetBegin();
10456 MediumLockList::Base::const_iterator mediumListEnd =
10457 task.mpMediumLockList->GetEnd();
10458 MediumLockList::Base::const_iterator mediumListLast =
10459 mediumListEnd;
10460 --mediumListLast;
10461 for (MediumLockList::Base::const_iterator it = mediumListBegin;
10462 it != mediumListEnd;
10463 ++it)
10464 {
10465 const MediumLock &mediumLock = *it;
10466 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
10467 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
10468
10469 /* sanity check */
10470 if (it == mediumListLast)
10471 Assert(pMedium->m->state == MediumState_LockedWrite);
10472 else
10473 Assert(pMedium->m->state == MediumState_LockedRead);
10474
10475 /* Open all media but last in read-only mode. Do not handle
10476 * shareable media, as compaction and sharing are mutually
10477 * exclusive. */
10478 vrc = VDOpen(hdd,
10479 pMedium->m->strFormat.c_str(),
10480 pMedium->m->strLocationFull.c_str(),
10481 m->uOpenFlagsDef | (it == mediumListLast ? VD_OPEN_FLAGS_NORMAL : VD_OPEN_FLAGS_READONLY),
10482 pMedium->m->vdImageIfaces);
10483 if (RT_FAILURE(vrc))
10484 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10485 tr("Could not open the medium storage unit '%s'%s"),
10486 pMedium->m->strLocationFull.c_str(),
10487 i_vdError(vrc).c_str());
10488 }
10489
10490 Assert(m->state == MediumState_LockedWrite);
10491
10492 Utf8Str location(m->strLocationFull);
10493
10494 /* unlock before the potentially lengthy operation */
10495 thisLock.release();
10496
10497 vrc = VDCompact(hdd, VD_LAST_IMAGE, task.mVDOperationIfaces);
10498 if (RT_FAILURE(vrc))
10499 {
10500 if (vrc == VERR_NOT_SUPPORTED)
10501 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
10502 tr("Compacting is not yet supported for medium '%s'"),
10503 location.c_str());
10504 else if (vrc == VERR_NOT_IMPLEMENTED)
10505 throw setErrorBoth(E_NOTIMPL, vrc,
10506 tr("Compacting is not implemented, medium '%s'"),
10507 location.c_str());
10508 else
10509 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10510 tr("Could not compact medium '%s'%s"),
10511 location.c_str(),
10512 i_vdError(vrc).c_str());
10513 }
10514 }
10515 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10516
10517 VDDestroy(hdd);
10518 }
10519 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10520
10521 if (task.NotifyAboutChanges() && SUCCEEDED(hrc))
10522 m->pVirtualBox->i_onMediumConfigChanged(this);
10523
10524 /* Everything is explicitly unlocked when the task exits,
10525 * as the task destruction also destroys the media chain. */
10526
10527 return hrc;
10528}
10529
10530/**
10531 * Implementation code for the "resize" task.
10532 *
10533 * @param task
10534 * @return
10535 */
10536HRESULT Medium::i_taskResizeHandler(Medium::ResizeTask &task)
10537{
10538 HRESULT hrc = S_OK;
10539
10540 uint64_t size = 0, logicalSize = 0;
10541
10542 try
10543 {
10544 /* The lock is also used as a signal from the task initiator (which
10545 * releases it only after RTThreadCreate()) that we can start the job */
10546 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10547
10548 PVDISK hdd;
10549 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10550 ComAssertRCThrow(vrc, E_FAIL);
10551
10552 try
10553 {
10554 /* Open all media in the chain. */
10555 MediumLockList::Base::const_iterator mediumListBegin =
10556 task.mpMediumLockList->GetBegin();
10557 MediumLockList::Base::const_iterator mediumListEnd =
10558 task.mpMediumLockList->GetEnd();
10559 MediumLockList::Base::const_iterator mediumListLast =
10560 mediumListEnd;
10561 --mediumListLast;
10562 for (MediumLockList::Base::const_iterator it = mediumListBegin;
10563 it != mediumListEnd;
10564 ++it)
10565 {
10566 const MediumLock &mediumLock = *it;
10567 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
10568 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
10569
10570 /* sanity check */
10571 if (it == mediumListLast)
10572 Assert(pMedium->m->state == MediumState_LockedWrite);
10573 else
10574 Assert(pMedium->m->state == MediumState_LockedRead ||
10575 // Allow resize the target image during mergeTo in case
10576 // of direction from parent to child because all intermediate
10577 // images are marked to MediumState_Deleting and will be
10578 // destroyed after successful merge
10579 pMedium->m->state == MediumState_Deleting);
10580
10581 /* Open all media but last in read-only mode. Do not handle
10582 * shareable media, as compaction and sharing are mutually
10583 * exclusive. */
10584 vrc = VDOpen(hdd,
10585 pMedium->m->strFormat.c_str(),
10586 pMedium->m->strLocationFull.c_str(),
10587 m->uOpenFlagsDef | (it == mediumListLast ? VD_OPEN_FLAGS_NORMAL : VD_OPEN_FLAGS_READONLY),
10588 pMedium->m->vdImageIfaces);
10589 if (RT_FAILURE(vrc))
10590 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10591 tr("Could not open the medium storage unit '%s'%s"),
10592 pMedium->m->strLocationFull.c_str(),
10593 i_vdError(vrc).c_str());
10594 }
10595
10596 Assert(m->state == MediumState_LockedWrite);
10597
10598 Utf8Str location(m->strLocationFull);
10599
10600 /* unlock before the potentially lengthy operation */
10601 thisLock.release();
10602
10603 VDGEOMETRY geo = {0, 0, 0}; /* auto */
10604 vrc = VDResize(hdd, task.mSize, &geo, &geo, task.mVDOperationIfaces);
10605 if (RT_FAILURE(vrc))
10606 {
10607 if (vrc == VERR_VD_SHRINK_NOT_SUPPORTED)
10608 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
10609 tr("Shrinking is not yet supported for medium '%s'"),
10610 location.c_str());
10611 if (vrc == VERR_NOT_SUPPORTED)
10612 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
10613 tr("Resizing to new size %llu is not yet supported for medium '%s'"),
10614 task.mSize, location.c_str());
10615 else if (vrc == VERR_NOT_IMPLEMENTED)
10616 throw setErrorBoth(E_NOTIMPL, vrc,
10617 tr("Resizing is not implemented, medium '%s'"),
10618 location.c_str());
10619 else
10620 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10621 tr("Could not resize medium '%s'%s"),
10622 location.c_str(),
10623 i_vdError(vrc).c_str());
10624 }
10625 size = VDGetFileSize(hdd, VD_LAST_IMAGE);
10626 logicalSize = VDGetSize(hdd, VD_LAST_IMAGE);
10627 }
10628 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10629
10630 VDDestroy(hdd);
10631 }
10632 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
10633
10634 if (SUCCEEDED(hrc))
10635 {
10636 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10637 m->size = size;
10638 m->logicalSize = logicalSize;
10639
10640 if (task.NotifyAboutChanges())
10641 m->pVirtualBox->i_onMediumConfigChanged(this);
10642 }
10643
10644 /* Everything is explicitly unlocked when the task exits,
10645 * as the task destruction also destroys the media chain. */
10646
10647 return hrc;
10648}
10649
10650/**
10651 * Implementation code for the "import" task.
10652 *
10653 * This only gets started from Medium::importFile() and always runs
10654 * asynchronously. It potentially touches the media registry, so we
10655 * always save the VirtualBox.xml file when we're done here.
10656 *
10657 * @param task
10658 * @return
10659 */
10660HRESULT Medium::i_taskImportHandler(Medium::ImportTask &task)
10661{
10662 /** @todo r=klaus The code below needs to be double checked with regard
10663 * to lock order violations, it probably causes lock order issues related
10664 * to the AutoCaller usage. */
10665 HRESULT hrcTmp = S_OK;
10666
10667 const ComObjPtr<Medium> &pParent = task.mParent;
10668
10669 bool fCreatingTarget = false;
10670
10671 uint64_t size = 0, logicalSize = 0;
10672 MediumVariant_T variant = MediumVariant_Standard;
10673 bool fGenerateUuid = false;
10674
10675 try
10676 {
10677 if (!pParent.isNull())
10678 if (pParent->i_getDepth() >= SETTINGS_MEDIUM_DEPTH_MAX)
10679 {
10680 AutoReadLock plock(pParent COMMA_LOCKVAL_SRC_POS);
10681 throw setError(VBOX_E_INVALID_OBJECT_STATE,
10682 tr("Cannot import image for medium '%s', because it exceeds the medium tree depth limit. Please merge some images which you no longer need"),
10683 pParent->m->strLocationFull.c_str());
10684 }
10685
10686 /* Lock all in {parent,child} order. The lock is also used as a
10687 * signal from the task initiator (which releases it only after
10688 * RTThreadCreate()) that we can start the job. */
10689 AutoMultiWriteLock2 thisLock(this, pParent COMMA_LOCKVAL_SRC_POS);
10690
10691 fCreatingTarget = m->state == MediumState_Creating;
10692
10693 /* The object may request a specific UUID (through a special form of
10694 * the moveTo() argument). Otherwise we have to generate it */
10695 Guid targetId = m->id;
10696
10697 fGenerateUuid = targetId.isZero();
10698 if (fGenerateUuid)
10699 {
10700 targetId.create();
10701 /* VirtualBox::i_registerMedium() will need UUID */
10702 unconst(m->id) = targetId;
10703 }
10704
10705
10706 PVDISK hdd;
10707 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &hdd);
10708 ComAssertRCThrow(vrc, E_FAIL);
10709
10710 try
10711 {
10712 /* Open source medium. */
10713 vrc = VDOpen(hdd,
10714 task.mFormat->i_getId().c_str(),
10715 task.mFilename.c_str(),
10716 VD_OPEN_FLAGS_READONLY | VD_OPEN_FLAGS_SEQUENTIAL | m->uOpenFlagsDef,
10717 task.mVDImageIfaces);
10718 if (RT_FAILURE(vrc))
10719 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10720 tr("Could not open the medium storage unit '%s'%s"),
10721 task.mFilename.c_str(),
10722 i_vdError(vrc).c_str());
10723
10724 Utf8Str targetFormat(m->strFormat);
10725 Utf8Str targetLocation(m->strLocationFull);
10726 uint64_t capabilities = task.mFormat->i_getCapabilities();
10727
10728 Assert( m->state == MediumState_Creating
10729 || m->state == MediumState_LockedWrite);
10730 Assert( pParent.isNull()
10731 || pParent->m->state == MediumState_LockedRead);
10732
10733 /* unlock before the potentially lengthy operation */
10734 thisLock.release();
10735
10736 /* ensure the target directory exists */
10737 if (capabilities & MediumFormatCapabilities_File)
10738 {
10739 HRESULT hrc = VirtualBox::i_ensureFilePathExists(targetLocation,
10740 !(task.mVariant & MediumVariant_NoCreateDir) /* fCreate */);
10741 if (FAILED(hrc))
10742 throw hrc;
10743 }
10744
10745 PVDISK targetHdd;
10746 vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &targetHdd);
10747 ComAssertRCThrow(vrc, E_FAIL);
10748
10749 try
10750 {
10751 /* Open all media in the target chain. */
10752 MediumLockList::Base::const_iterator targetListBegin =
10753 task.mpTargetMediumLockList->GetBegin();
10754 MediumLockList::Base::const_iterator targetListEnd =
10755 task.mpTargetMediumLockList->GetEnd();
10756 for (MediumLockList::Base::const_iterator it = targetListBegin;
10757 it != targetListEnd;
10758 ++it)
10759 {
10760 const MediumLock &mediumLock = *it;
10761 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
10762
10763 /* If the target medium is not created yet there's no
10764 * reason to open it. */
10765 if (pMedium == this && fCreatingTarget)
10766 continue;
10767
10768 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
10769
10770 /* sanity check */
10771 Assert( pMedium->m->state == MediumState_LockedRead
10772 || pMedium->m->state == MediumState_LockedWrite);
10773
10774 unsigned uOpenFlags = VD_OPEN_FLAGS_NORMAL;
10775 if (pMedium->m->state != MediumState_LockedWrite)
10776 uOpenFlags = VD_OPEN_FLAGS_READONLY;
10777 if (pMedium->m->type == MediumType_Shareable)
10778 uOpenFlags |= VD_OPEN_FLAGS_SHAREABLE;
10779
10780 /* Open all media in appropriate mode. */
10781 vrc = VDOpen(targetHdd,
10782 pMedium->m->strFormat.c_str(),
10783 pMedium->m->strLocationFull.c_str(),
10784 uOpenFlags | m->uOpenFlagsDef,
10785 pMedium->m->vdImageIfaces);
10786 if (RT_FAILURE(vrc))
10787 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10788 tr("Could not open the medium storage unit '%s'%s"),
10789 pMedium->m->strLocationFull.c_str(),
10790 i_vdError(vrc).c_str());
10791 }
10792
10793 vrc = VDCopy(hdd,
10794 VD_LAST_IMAGE,
10795 targetHdd,
10796 targetFormat.c_str(),
10797 (fCreatingTarget) ? targetLocation.c_str() : (char *)NULL,
10798 false /* fMoveByRename */,
10799 0 /* cbSize */,
10800 task.mVariant & ~(MediumVariant_NoCreateDir | MediumVariant_Formatted | MediumVariant_VmdkESX | MediumVariant_VmdkRawDisk),
10801 targetId.raw(),
10802 VD_OPEN_FLAGS_NORMAL,
10803 NULL /* pVDIfsOperation */,
10804 m->vdImageIfaces,
10805 task.mVDOperationIfaces);
10806 if (RT_FAILURE(vrc))
10807 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
10808 tr("Could not create the imported medium '%s'%s"),
10809 targetLocation.c_str(), i_vdError(vrc).c_str());
10810
10811 size = VDGetFileSize(targetHdd, VD_LAST_IMAGE);
10812 logicalSize = VDGetSize(targetHdd, VD_LAST_IMAGE);
10813 unsigned uImageFlags;
10814 vrc = VDGetImageFlags(targetHdd, 0, &uImageFlags);
10815 if (RT_SUCCESS(vrc))
10816 variant = (MediumVariant_T)uImageFlags;
10817 }
10818 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
10819
10820 VDDestroy(targetHdd);
10821 }
10822 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
10823
10824 VDDestroy(hdd);
10825 }
10826 catch (HRESULT hrcXcpt) { hrcTmp = hrcXcpt; }
10827
10828 ErrorInfoKeeper eik;
10829 MultiResult mrc(hrcTmp);
10830
10831 /* Only do the parent changes for newly created media. */
10832 if (SUCCEEDED(mrc) && fCreatingTarget)
10833 {
10834 /* we set m->pParent & children() */
10835 AutoWriteLock treeLock(m->pVirtualBox->i_getMediaTreeLockHandle() COMMA_LOCKVAL_SRC_POS);
10836
10837 Assert(m->pParent.isNull());
10838
10839 if (pParent)
10840 {
10841 /* Associate the imported medium with the parent and deassociate
10842 * from VirtualBox. Depth check above. */
10843 i_setParent(pParent);
10844
10845 /* register with mVirtualBox as the last step and move to
10846 * Created state only on success (leaving an orphan file is
10847 * better than breaking media registry consistency) */
10848 eik.restore();
10849 ComObjPtr<Medium> pMedium;
10850 mrc = pParent->m->pVirtualBox->i_registerMedium(this, &pMedium,
10851 treeLock);
10852 Assert(this == pMedium);
10853 eik.fetch();
10854
10855 if (FAILED(mrc))
10856 /* break parent association on failure to register */
10857 this->i_deparent(); // removes target from parent
10858 }
10859 else
10860 {
10861 /* just register */
10862 eik.restore();
10863 ComObjPtr<Medium> pMedium;
10864 mrc = m->pVirtualBox->i_registerMedium(this, &pMedium, treeLock);
10865 Assert(this == pMedium);
10866 eik.fetch();
10867 }
10868 }
10869
10870 if (fCreatingTarget)
10871 {
10872 AutoWriteLock mLock(this COMMA_LOCKVAL_SRC_POS);
10873
10874 if (SUCCEEDED(mrc))
10875 {
10876 m->state = MediumState_Created;
10877
10878 m->size = size;
10879 m->logicalSize = logicalSize;
10880 m->variant = variant;
10881 }
10882 else
10883 {
10884 /* back to NotCreated on failure */
10885 m->state = MediumState_NotCreated;
10886
10887 /* reset UUID to prevent it from being reused next time */
10888 if (fGenerateUuid)
10889 unconst(m->id).clear();
10890 }
10891 }
10892
10893 // now, at the end of this task (always asynchronous), save the settings
10894 {
10895 // save the settings
10896 i_markRegistriesModified();
10897 /* collect multiple errors */
10898 eik.restore();
10899 m->pVirtualBox->i_saveModifiedRegistries();
10900 eik.fetch();
10901 }
10902
10903 /* Everything is explicitly unlocked when the task exits,
10904 * as the task destruction also destroys the target chain. */
10905
10906 /* Make sure the target chain is released early, otherwise it can
10907 * lead to deadlocks with concurrent IAppliance activities. */
10908 task.mpTargetMediumLockList->Clear();
10909
10910 if (task.NotifyAboutChanges() && SUCCEEDED(mrc))
10911 {
10912 if (pParent)
10913 m->pVirtualBox->i_onMediumConfigChanged(pParent);
10914 if (fCreatingTarget)
10915 m->pVirtualBox->i_onMediumConfigChanged(this);
10916 else
10917 m->pVirtualBox->i_onMediumRegistered(m->id, m->devType, TRUE);
10918 }
10919
10920 return mrc;
10921}
10922
10923/**
10924 * Sets up the encryption settings for a filter.
10925 */
10926void Medium::i_taskEncryptSettingsSetup(MediumCryptoFilterSettings *pSettings, const char *pszCipher,
10927 const char *pszKeyStore, const char *pszPassword,
10928 bool fCreateKeyStore)
10929{
10930 pSettings->pszCipher = pszCipher;
10931 pSettings->pszPassword = pszPassword;
10932 pSettings->pszKeyStoreLoad = pszKeyStore;
10933 pSettings->fCreateKeyStore = fCreateKeyStore;
10934 pSettings->pbDek = NULL;
10935 pSettings->cbDek = 0;
10936 pSettings->vdFilterIfaces = NULL;
10937
10938 pSettings->vdIfCfg.pfnAreKeysValid = i_vdCryptoConfigAreKeysValid;
10939 pSettings->vdIfCfg.pfnQuerySize = i_vdCryptoConfigQuerySize;
10940 pSettings->vdIfCfg.pfnQuery = i_vdCryptoConfigQuery;
10941 pSettings->vdIfCfg.pfnQueryBytes = NULL;
10942
10943 pSettings->vdIfCrypto.pfnKeyRetain = i_vdCryptoKeyRetain;
10944 pSettings->vdIfCrypto.pfnKeyRelease = i_vdCryptoKeyRelease;
10945 pSettings->vdIfCrypto.pfnKeyStorePasswordRetain = i_vdCryptoKeyStorePasswordRetain;
10946 pSettings->vdIfCrypto.pfnKeyStorePasswordRelease = i_vdCryptoKeyStorePasswordRelease;
10947 pSettings->vdIfCrypto.pfnKeyStoreSave = i_vdCryptoKeyStoreSave;
10948 pSettings->vdIfCrypto.pfnKeyStoreReturnParameters = i_vdCryptoKeyStoreReturnParameters;
10949
10950 int vrc = VDInterfaceAdd(&pSettings->vdIfCfg.Core,
10951 "Medium::vdInterfaceCfgCrypto",
10952 VDINTERFACETYPE_CONFIG, pSettings,
10953 sizeof(VDINTERFACECONFIG), &pSettings->vdFilterIfaces);
10954 AssertRC(vrc);
10955
10956 vrc = VDInterfaceAdd(&pSettings->vdIfCrypto.Core,
10957 "Medium::vdInterfaceCrypto",
10958 VDINTERFACETYPE_CRYPTO, pSettings,
10959 sizeof(VDINTERFACECRYPTO), &pSettings->vdFilterIfaces);
10960 AssertRC(vrc);
10961}
10962
10963/**
10964 * Implementation code for the "encrypt" task.
10965 *
10966 * @param task
10967 * @return
10968 */
10969HRESULT Medium::i_taskEncryptHandler(Medium::EncryptTask &task)
10970{
10971# ifndef VBOX_WITH_EXTPACK
10972 RT_NOREF(task);
10973# endif
10974 HRESULT hrc = S_OK;
10975
10976 /* Lock all in {parent,child} order. The lock is also used as a
10977 * signal from the task initiator (which releases it only after
10978 * RTThreadCreate()) that we can start the job. */
10979 ComObjPtr<Medium> pBase = i_getBase();
10980 AutoWriteLock thisLock(this COMMA_LOCKVAL_SRC_POS);
10981
10982 try
10983 {
10984# ifdef VBOX_WITH_EXTPACK
10985 ExtPackManager *pExtPackManager = m->pVirtualBox->i_getExtPackManager();
10986 if (pExtPackManager->i_isExtPackUsable(ORACLE_PUEL_EXTPACK_NAME))
10987 {
10988 /* Load the plugin */
10989 Utf8Str strPlugin;
10990 hrc = pExtPackManager->i_getLibraryPathForExtPack(g_szVDPlugin, ORACLE_PUEL_EXTPACK_NAME, &strPlugin);
10991 if (SUCCEEDED(hrc))
10992 {
10993 int vrc = VDPluginLoadFromFilename(strPlugin.c_str());
10994 if (RT_FAILURE(vrc))
10995 throw setErrorBoth(VBOX_E_NOT_SUPPORTED, vrc,
10996 tr("Encrypting the image failed because the encryption plugin could not be loaded (%s)"),
10997 i_vdError(vrc).c_str());
10998 }
10999 else
11000 throw setError(VBOX_E_NOT_SUPPORTED,
11001 tr("Encryption is not supported because the extension pack '%s' is missing the encryption plugin (old extension pack installed?)"),
11002 ORACLE_PUEL_EXTPACK_NAME);
11003 }
11004 else
11005 throw setError(VBOX_E_NOT_SUPPORTED,
11006 tr("Encryption is not supported because the extension pack '%s' is missing"),
11007 ORACLE_PUEL_EXTPACK_NAME);
11008
11009 PVDISK pDisk = NULL;
11010 int vrc = VDCreate(m->vdDiskIfaces, i_convertDeviceType(), &pDisk);
11011 ComAssertRCThrow(vrc, E_FAIL);
11012
11013 MediumCryptoFilterSettings CryptoSettingsRead;
11014 MediumCryptoFilterSettings CryptoSettingsWrite;
11015
11016 void *pvBuf = NULL;
11017 const char *pszPasswordNew = NULL;
11018 try
11019 {
11020 /* Set up disk encryption filters. */
11021 if (task.mstrCurrentPassword.isEmpty())
11022 {
11023 /*
11024 * Query whether the medium property indicating that encryption is
11025 * configured is existing.
11026 */
11027 settings::StringsMap::iterator it = pBase->m->mapProperties.find("CRYPT/KeyStore");
11028 if (it != pBase->m->mapProperties.end())
11029 throw setError(VBOX_E_PASSWORD_INCORRECT,
11030 tr("The password given for the encrypted image is incorrect"));
11031 }
11032 else
11033 {
11034 settings::StringsMap::iterator it = pBase->m->mapProperties.find("CRYPT/KeyStore");
11035 if (it == pBase->m->mapProperties.end())
11036 throw setError(VBOX_E_INVALID_OBJECT_STATE,
11037 tr("The image is not configured for encryption"));
11038
11039 i_taskEncryptSettingsSetup(&CryptoSettingsRead, NULL, it->second.c_str(), task.mstrCurrentPassword.c_str(),
11040 false /* fCreateKeyStore */);
11041 vrc = VDFilterAdd(pDisk, "CRYPT", VD_FILTER_FLAGS_READ, CryptoSettingsRead.vdFilterIfaces);
11042 if (vrc == VERR_VD_PASSWORD_INCORRECT)
11043 throw setError(VBOX_E_PASSWORD_INCORRECT,
11044 tr("The password to decrypt the image is incorrect"));
11045 else if (RT_FAILURE(vrc))
11046 throw setError(VBOX_E_INVALID_OBJECT_STATE,
11047 tr("Failed to load the decryption filter: %s"),
11048 i_vdError(vrc).c_str());
11049 }
11050
11051 if (task.mstrCipher.isNotEmpty())
11052 {
11053 if ( task.mstrNewPassword.isEmpty()
11054 && task.mstrNewPasswordId.isEmpty()
11055 && task.mstrCurrentPassword.isNotEmpty())
11056 {
11057 /* An empty password and password ID will default to the current password. */
11058 pszPasswordNew = task.mstrCurrentPassword.c_str();
11059 }
11060 else if (task.mstrNewPassword.isEmpty())
11061 throw setError(VBOX_E_OBJECT_NOT_FOUND,
11062 tr("A password must be given for the image encryption"));
11063 else if (task.mstrNewPasswordId.isEmpty())
11064 throw setError(VBOX_E_INVALID_OBJECT_STATE,
11065 tr("A valid identifier for the password must be given"));
11066 else
11067 pszPasswordNew = task.mstrNewPassword.c_str();
11068
11069 i_taskEncryptSettingsSetup(&CryptoSettingsWrite, task.mstrCipher.c_str(), NULL,
11070 pszPasswordNew, true /* fCreateKeyStore */);
11071 vrc = VDFilterAdd(pDisk, "CRYPT", VD_FILTER_FLAGS_WRITE, CryptoSettingsWrite.vdFilterIfaces);
11072 if (RT_FAILURE(vrc))
11073 throw setErrorBoth(VBOX_E_INVALID_OBJECT_STATE, vrc,
11074 tr("Failed to load the encryption filter: %s"),
11075 i_vdError(vrc).c_str());
11076 }
11077 else if (task.mstrNewPasswordId.isNotEmpty() || task.mstrNewPassword.isNotEmpty())
11078 throw setError(VBOX_E_INVALID_OBJECT_STATE,
11079 tr("The password and password identifier must be empty if the output should be unencrypted"));
11080
11081 /* Open all media in the chain. */
11082 MediumLockList::Base::const_iterator mediumListBegin =
11083 task.mpMediumLockList->GetBegin();
11084 MediumLockList::Base::const_iterator mediumListEnd =
11085 task.mpMediumLockList->GetEnd();
11086 MediumLockList::Base::const_iterator mediumListLast =
11087 mediumListEnd;
11088 --mediumListLast;
11089 for (MediumLockList::Base::const_iterator it = mediumListBegin;
11090 it != mediumListEnd;
11091 ++it)
11092 {
11093 const MediumLock &mediumLock = *it;
11094 const ComObjPtr<Medium> &pMedium = mediumLock.GetMedium();
11095 AutoReadLock alock(pMedium COMMA_LOCKVAL_SRC_POS);
11096
11097 Assert(pMedium->m->state == MediumState_LockedWrite);
11098
11099 /* Open all media but last in read-only mode. Do not handle
11100 * shareable media, as compaction and sharing are mutually
11101 * exclusive. */
11102 vrc = VDOpen(pDisk,
11103 pMedium->m->strFormat.c_str(),
11104 pMedium->m->strLocationFull.c_str(),
11105 m->uOpenFlagsDef | (it == mediumListLast ? VD_OPEN_FLAGS_NORMAL : VD_OPEN_FLAGS_READONLY),
11106 pMedium->m->vdImageIfaces);
11107 if (RT_FAILURE(vrc))
11108 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
11109 tr("Could not open the medium storage unit '%s'%s"),
11110 pMedium->m->strLocationFull.c_str(),
11111 i_vdError(vrc).c_str());
11112 }
11113
11114 Assert(m->state == MediumState_LockedWrite);
11115
11116 Utf8Str location(m->strLocationFull);
11117
11118 /* unlock before the potentially lengthy operation */
11119 thisLock.release();
11120
11121 vrc = VDPrepareWithFilters(pDisk, task.mVDOperationIfaces);
11122 if (RT_FAILURE(vrc))
11123 throw setErrorBoth(VBOX_E_FILE_ERROR, vrc,
11124 tr("Could not prepare disk images for encryption (%Rrc): %s"),
11125 vrc, i_vdError(vrc).c_str());
11126
11127 thisLock.acquire();
11128 /* If everything went well set the new key store. */
11129 settings::StringsMap::iterator it = pBase->m->mapProperties.find("CRYPT/KeyStore");
11130 if (it != pBase->m->mapProperties.end())
11131 pBase->m->mapProperties.erase(it);
11132
11133 /* Delete KeyId if encryption is removed or the password did change. */
11134 if ( task.mstrNewPasswordId.isNotEmpty()
11135 || task.mstrCipher.isEmpty())
11136 {
11137 it = pBase->m->mapProperties.find("CRYPT/KeyId");
11138 if (it != pBase->m->mapProperties.end())
11139 pBase->m->mapProperties.erase(it);
11140 }
11141
11142 if (CryptoSettingsWrite.pszKeyStore)
11143 {
11144 pBase->m->mapProperties["CRYPT/KeyStore"] = Utf8Str(CryptoSettingsWrite.pszKeyStore);
11145 if (task.mstrNewPasswordId.isNotEmpty())
11146 pBase->m->mapProperties["CRYPT/KeyId"] = task.mstrNewPasswordId;
11147 }
11148
11149 if (CryptoSettingsRead.pszCipherReturned)
11150 RTStrFree(CryptoSettingsRead.pszCipherReturned);
11151
11152 if (CryptoSettingsWrite.pszCipherReturned)
11153 RTStrFree(CryptoSettingsWrite.pszCipherReturned);
11154
11155 thisLock.release();
11156 pBase->i_markRegistriesModified();
11157 m->pVirtualBox->i_saveModifiedRegistries();
11158 }
11159 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
11160
11161 if (pvBuf)
11162 RTMemFree(pvBuf);
11163
11164 VDDestroy(pDisk);
11165# else
11166 throw setError(VBOX_E_NOT_SUPPORTED,
11167 tr("Encryption is not supported because extension pack support is not built in"));
11168# endif
11169 }
11170 catch (HRESULT hrcXcpt) { hrc = hrcXcpt; }
11171
11172 /* Everything is explicitly unlocked when the task exits,
11173 * as the task destruction also destroys the media chain. */
11174
11175 return hrc;
11176}
11177
11178/* vi: set tabstop=4 shiftwidth=4 expandtab: */
注意: 瀏覽 TracBrowser 來幫助您使用儲存庫瀏覽器

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