VirtualBox

source: vbox/trunk/src/VBox/Main/src-client/ConsoleImpl.cpp@ 68485

Last change on this file since 68485 was 68485, checked in by vboxsync, 7 years ago

Audio: Implemented ability to enable / disable audio input / output on-the-fly via API.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 350.4 KB
Line 
1/* $Id: ConsoleImpl.cpp 68485 2017-08-21 13:48:12Z vboxsync $ */
2/** @file
3 * VBox Console COM Class implementation
4 */
5
6/*
7 * Copyright (C) 2005-2017 Oracle Corporation
8 *
9 * This file is part of VirtualBox Open Source Edition (OSE), as
10 * available from http://www.virtualbox.org. This file is free software;
11 * you can redistribute it and/or modify it under the terms of the GNU
12 * General Public License (GPL) as published by the Free Software
13 * Foundation, in version 2 as it comes in the "COPYING" file of the
14 * VirtualBox OSE distribution. VirtualBox OSE is distributed in the
15 * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
16 */
17
18#define LOG_GROUP LOG_GROUP_MAIN_CONSOLE
19#include "LoggingNew.h"
20
21/** @todo Move the TAP mess back into the driver! */
22#if defined(RT_OS_WINDOWS)
23#elif defined(RT_OS_LINUX)
24# include <errno.h>
25# include <sys/ioctl.h>
26# include <sys/poll.h>
27# include <sys/fcntl.h>
28# include <sys/types.h>
29# include <sys/wait.h>
30# include <net/if.h>
31# include <linux/if_tun.h>
32# include <stdio.h>
33# include <stdlib.h>
34# include <string.h>
35#elif defined(RT_OS_FREEBSD)
36# include <errno.h>
37# include <sys/ioctl.h>
38# include <sys/poll.h>
39# include <sys/fcntl.h>
40# include <sys/types.h>
41# include <sys/wait.h>
42# include <stdio.h>
43# include <stdlib.h>
44# include <string.h>
45#elif defined(RT_OS_SOLARIS)
46# include <iprt/coredumper.h>
47#endif
48
49#include "ConsoleImpl.h"
50
51#include "Global.h"
52#include "VirtualBoxErrorInfoImpl.h"
53#include "GuestImpl.h"
54#include "KeyboardImpl.h"
55#include "MouseImpl.h"
56#include "DisplayImpl.h"
57#include "MachineDebuggerImpl.h"
58#include "USBDeviceImpl.h"
59#include "RemoteUSBDeviceImpl.h"
60#include "SharedFolderImpl.h"
61#ifdef VBOX_WITH_VRDE_AUDIO
62# include "DrvAudioVRDE.h"
63#endif
64#ifdef VBOX_WITH_AUDIO_VIDEOREC
65# include "DrvAudioVideoRec.h"
66#endif
67#include "Nvram.h"
68#ifdef VBOX_WITH_USB_CARDREADER
69# include "UsbCardReader.h"
70#endif
71#include "ProgressImpl.h"
72#include "ConsoleVRDPServer.h"
73#include "VMMDev.h"
74#ifdef VBOX_WITH_EXTPACK
75# include "ExtPackManagerImpl.h"
76#endif
77#include "BusAssignmentManager.h"
78#include "PCIDeviceAttachmentImpl.h"
79#include "EmulatedUSBImpl.h"
80
81#include "VBoxEvents.h"
82#include "AutoCaller.h"
83#include "ThreadTask.h"
84
85#include <VBox/com/array.h>
86#include "VBox/com/ErrorInfo.h"
87#include <VBox/com/listeners.h>
88
89#include <iprt/asm.h>
90#include <iprt/buildconfig.h>
91#include <iprt/cpp/utils.h>
92#include <iprt/dir.h>
93#include <iprt/file.h>
94#include <iprt/ldr.h>
95#include <iprt/path.h>
96#include <iprt/process.h>
97#include <iprt/string.h>
98#include <iprt/system.h>
99#include <iprt/base64.h>
100#include <iprt/memsafer.h>
101
102#include <VBox/vmm/vmapi.h>
103#include <VBox/vmm/vmm.h>
104#include <VBox/vmm/pdmapi.h>
105#include <VBox/vmm/pdmaudioifs.h>
106#include <VBox/vmm/pdmasynccompletion.h>
107#include <VBox/vmm/pdmnetifs.h>
108#include <VBox/vmm/pdmstorageifs.h>
109#ifdef VBOX_WITH_USB
110# include <VBox/vmm/pdmusb.h>
111#endif
112#ifdef VBOX_WITH_NETSHAPER
113# include <VBox/vmm/pdmnetshaper.h>
114#endif /* VBOX_WITH_NETSHAPER */
115#include <VBox/vmm/mm.h>
116#include <VBox/vmm/ftm.h>
117#include <VBox/vmm/ssm.h>
118#include <VBox/err.h>
119#include <VBox/param.h>
120#include <VBox/vusb.h>
121
122#include <VBox/VMMDev.h>
123
124#include <VBox/HostServices/VBoxClipboardSvc.h>
125#include <VBox/HostServices/DragAndDropSvc.h>
126#ifdef VBOX_WITH_GUEST_PROPS
127# include <VBox/HostServices/GuestPropertySvc.h>
128# include <VBox/com/array.h>
129#endif
130
131#ifdef VBOX_OPENSSL_FIPS
132# include <openssl/crypto.h>
133#endif
134
135#include <set>
136#include <algorithm>
137#include <memory> // for auto_ptr
138#include <vector>
139#include <exception>// std::exception
140
141// VMTask and friends
142////////////////////////////////////////////////////////////////////////////////
143
144/**
145 * Task structure for asynchronous VM operations.
146 *
147 * Once created, the task structure adds itself as a Console caller. This means:
148 *
149 * 1. The user must check for #rc() before using the created structure
150 * (e.g. passing it as a thread function argument). If #rc() returns a
151 * failure, the Console object may not be used by the task.
152 * 2. On successful initialization, the structure keeps the Console caller
153 * until destruction (to ensure Console remains in the Ready state and won't
154 * be accidentally uninitialized). Forgetting to delete the created task
155 * will lead to Console::uninit() stuck waiting for releasing all added
156 * callers.
157 *
158 * If \a aUsesVMPtr parameter is true, the task structure will also add itself
159 * as a Console::mpUVM caller with the same meaning as above. See
160 * Console::addVMCaller() for more info.
161 */
162class VMTask: public ThreadTask
163{
164public:
165 VMTask(Console *aConsole,
166 Progress *aProgress,
167 const ComPtr<IProgress> &aServerProgress,
168 bool aUsesVMPtr)
169 : ThreadTask("GenericVMTask"),
170 mConsole(aConsole),
171 mConsoleCaller(aConsole),
172 mProgress(aProgress),
173 mServerProgress(aServerProgress),
174 mRC(E_FAIL),
175 mpSafeVMPtr(NULL)
176 {
177 AssertReturnVoid(aConsole);
178 mRC = mConsoleCaller.rc();
179 if (FAILED(mRC))
180 return;
181 if (aUsesVMPtr)
182 {
183 mpSafeVMPtr = new Console::SafeVMPtr(aConsole);
184 if (!mpSafeVMPtr->isOk())
185 mRC = mpSafeVMPtr->rc();
186 }
187 }
188
189 virtual ~VMTask()
190 {
191 releaseVMCaller();
192 }
193
194 HRESULT rc() const { return mRC; }
195 bool isOk() const { return SUCCEEDED(rc()); }
196
197 /** Releases the VM caller before destruction. Not normally necessary. */
198 void releaseVMCaller()
199 {
200 if (mpSafeVMPtr)
201 {
202 delete mpSafeVMPtr;
203 mpSafeVMPtr = NULL;
204 }
205 }
206
207 const ComObjPtr<Console> mConsole;
208 AutoCaller mConsoleCaller;
209 const ComObjPtr<Progress> mProgress;
210 Utf8Str mErrorMsg;
211 const ComPtr<IProgress> mServerProgress;
212
213private:
214 HRESULT mRC;
215 Console::SafeVMPtr *mpSafeVMPtr;
216};
217
218
219class VMPowerUpTask : public VMTask
220{
221public:
222 VMPowerUpTask(Console *aConsole,
223 Progress *aProgress)
224 : VMTask(aConsole, aProgress, NULL /* aServerProgress */,
225 false /* aUsesVMPtr */),
226 mConfigConstructor(NULL),
227 mStartPaused(false),
228 mTeleporterEnabled(FALSE),
229 mEnmFaultToleranceState(FaultToleranceState_Inactive)
230 {
231 m_strTaskName = "VMPwrUp";
232 }
233
234 PFNCFGMCONSTRUCTOR mConfigConstructor;
235 Utf8Str mSavedStateFile;
236 Console::SharedFolderDataMap mSharedFolders;
237 bool mStartPaused;
238 BOOL mTeleporterEnabled;
239 FaultToleranceState_T mEnmFaultToleranceState;
240
241 /* array of progress objects for hard disk reset operations */
242 typedef std::list<ComPtr<IProgress> > ProgressList;
243 ProgressList hardDiskProgresses;
244
245 void handler()
246 {
247 Console::i_powerUpThreadTask(this);
248 }
249
250};
251
252class VMPowerDownTask : public VMTask
253{
254public:
255 VMPowerDownTask(Console *aConsole,
256 const ComPtr<IProgress> &aServerProgress)
257 : VMTask(aConsole, NULL /* aProgress */, aServerProgress,
258 true /* aUsesVMPtr */)
259 {
260 m_strTaskName = "VMPwrDwn";
261 }
262
263 void handler()
264 {
265 Console::i_powerDownThreadTask(this);
266 }
267};
268
269// Handler for global events
270////////////////////////////////////////////////////////////////////////////////
271inline static const char *networkAdapterTypeToName(NetworkAdapterType_T adapterType);
272
273class VmEventListener {
274public:
275 VmEventListener()
276 {}
277
278
279 HRESULT init(Console *aConsole)
280 {
281 mConsole = aConsole;
282 return S_OK;
283 }
284
285 void uninit()
286 {
287 }
288
289 virtual ~VmEventListener()
290 {
291 }
292
293 STDMETHOD(HandleEvent)(VBoxEventType_T aType, IEvent *aEvent)
294 {
295 switch(aType)
296 {
297 case VBoxEventType_OnNATRedirect:
298 {
299 Bstr id;
300 ComPtr<IMachine> pMachine = mConsole->i_machine();
301 ComPtr<INATRedirectEvent> pNREv = aEvent;
302 HRESULT rc = E_FAIL;
303 Assert(pNREv);
304
305 rc = pNREv->COMGETTER(MachineId)(id.asOutParam());
306 AssertComRC(rc);
307 if (id != mConsole->i_getId())
308 break;
309 /* now we can operate with redirects */
310 NATProtocol_T proto;
311 pNREv->COMGETTER(Proto)(&proto);
312 BOOL fRemove;
313 pNREv->COMGETTER(Remove)(&fRemove);
314 Bstr hostIp, guestIp;
315 LONG hostPort, guestPort;
316 pNREv->COMGETTER(HostIP)(hostIp.asOutParam());
317 pNREv->COMGETTER(HostPort)(&hostPort);
318 pNREv->COMGETTER(GuestIP)(guestIp.asOutParam());
319 pNREv->COMGETTER(GuestPort)(&guestPort);
320 ULONG ulSlot;
321 rc = pNREv->COMGETTER(Slot)(&ulSlot);
322 AssertComRC(rc);
323 if (FAILED(rc))
324 break;
325 mConsole->i_onNATRedirectRuleChange(ulSlot, fRemove, proto, hostIp.raw(), hostPort, guestIp.raw(), guestPort);
326 }
327 break;
328
329 case VBoxEventType_OnHostNameResolutionConfigurationChange:
330 {
331 mConsole->i_onNATDnsChanged();
332 break;
333 }
334
335 case VBoxEventType_OnHostPCIDevicePlug:
336 {
337 // handle if needed
338 break;
339 }
340
341 case VBoxEventType_OnExtraDataChanged:
342 {
343 ComPtr<IExtraDataChangedEvent> pEDCEv = aEvent;
344 Bstr strMachineId;
345 Bstr strKey;
346 Bstr strVal;
347 HRESULT hrc = S_OK;
348
349 hrc = pEDCEv->COMGETTER(MachineId)(strMachineId.asOutParam());
350 if (FAILED(hrc)) break;
351
352 hrc = pEDCEv->COMGETTER(Key)(strKey.asOutParam());
353 if (FAILED(hrc)) break;
354
355 hrc = pEDCEv->COMGETTER(Value)(strVal.asOutParam());
356 if (FAILED(hrc)) break;
357
358 mConsole->i_onExtraDataChange(strMachineId.raw(), strKey.raw(), strVal.raw());
359 break;
360 }
361
362 default:
363 AssertFailed();
364 }
365
366 return S_OK;
367 }
368private:
369 ComObjPtr<Console> mConsole;
370};
371
372typedef ListenerImpl<VmEventListener, Console*> VmEventListenerImpl;
373
374
375VBOX_LISTENER_DECLARE(VmEventListenerImpl)
376
377
378// constructor / destructor
379/////////////////////////////////////////////////////////////////////////////
380
381Console::Console()
382 : mSavedStateDataLoaded(false)
383 , mConsoleVRDPServer(NULL)
384 , mfVRDEChangeInProcess(false)
385 , mfVRDEChangePending(false)
386 , mpUVM(NULL)
387 , mVMCallers(0)
388 , mVMZeroCallersSem(NIL_RTSEMEVENT)
389 , mVMDestroying(false)
390 , mVMPoweredOff(false)
391 , mVMIsAlreadyPoweringOff(false)
392 , mfSnapshotFolderSizeWarningShown(false)
393 , mfSnapshotFolderExt4WarningShown(false)
394 , mfSnapshotFolderDiskTypeShown(false)
395 , mfVMHasUsbController(false)
396 , mfPowerOffCausedByReset(false)
397 , mpVmm2UserMethods(NULL)
398 , m_pVMMDev(NULL)
399 , mAudioVRDE(NULL)
400#ifdef VBOX_WITH_AUDIO_VIDEOREC
401 , mAudioVideoRec(NULL)
402#endif
403 , mNvram(NULL)
404#ifdef VBOX_WITH_USB_CARDREADER
405 , mUsbCardReader(NULL)
406#endif
407 , mBusMgr(NULL)
408 , m_pKeyStore(NULL)
409 , mpIfSecKey(NULL)
410 , mpIfSecKeyHlp(NULL)
411 , mVMStateChangeCallbackDisabled(false)
412 , mfUseHostClipboard(true)
413 , mMachineState(MachineState_PoweredOff)
414{
415}
416
417Console::~Console()
418{}
419
420HRESULT Console::FinalConstruct()
421{
422 LogFlowThisFunc(("\n"));
423
424 RT_ZERO(mapStorageLeds);
425 RT_ZERO(mapNetworkLeds);
426 RT_ZERO(mapUSBLed);
427 RT_ZERO(mapSharedFolderLed);
428 RT_ZERO(mapCrOglLed);
429
430 for (unsigned i = 0; i < RT_ELEMENTS(maStorageDevType); ++i)
431 maStorageDevType[i] = DeviceType_Null;
432
433 MYVMM2USERMETHODS *pVmm2UserMethods = (MYVMM2USERMETHODS *)RTMemAllocZ(sizeof(*mpVmm2UserMethods) + sizeof(Console *));
434 if (!pVmm2UserMethods)
435 return E_OUTOFMEMORY;
436 pVmm2UserMethods->u32Magic = VMM2USERMETHODS_MAGIC;
437 pVmm2UserMethods->u32Version = VMM2USERMETHODS_VERSION;
438 pVmm2UserMethods->pfnSaveState = Console::i_vmm2User_SaveState;
439 pVmm2UserMethods->pfnNotifyEmtInit = Console::i_vmm2User_NotifyEmtInit;
440 pVmm2UserMethods->pfnNotifyEmtTerm = Console::i_vmm2User_NotifyEmtTerm;
441 pVmm2UserMethods->pfnNotifyPdmtInit = Console::i_vmm2User_NotifyPdmtInit;
442 pVmm2UserMethods->pfnNotifyPdmtTerm = Console::i_vmm2User_NotifyPdmtTerm;
443 pVmm2UserMethods->pfnNotifyResetTurnedIntoPowerOff = Console::i_vmm2User_NotifyResetTurnedIntoPowerOff;
444 pVmm2UserMethods->u32EndMagic = VMM2USERMETHODS_MAGIC;
445 pVmm2UserMethods->pConsole = this;
446 mpVmm2UserMethods = pVmm2UserMethods;
447
448 MYPDMISECKEY *pIfSecKey = (MYPDMISECKEY *)RTMemAllocZ(sizeof(*mpIfSecKey) + sizeof(Console *));
449 if (!pIfSecKey)
450 return E_OUTOFMEMORY;
451 pIfSecKey->pfnKeyRetain = Console::i_pdmIfSecKey_KeyRetain;
452 pIfSecKey->pfnKeyRelease = Console::i_pdmIfSecKey_KeyRelease;
453 pIfSecKey->pfnPasswordRetain = Console::i_pdmIfSecKey_PasswordRetain;
454 pIfSecKey->pfnPasswordRelease = Console::i_pdmIfSecKey_PasswordRelease;
455 pIfSecKey->pConsole = this;
456 mpIfSecKey = pIfSecKey;
457
458 MYPDMISECKEYHLP *pIfSecKeyHlp = (MYPDMISECKEYHLP *)RTMemAllocZ(sizeof(*mpIfSecKeyHlp) + sizeof(Console *));
459 if (!pIfSecKeyHlp)
460 return E_OUTOFMEMORY;
461 pIfSecKeyHlp->pfnKeyMissingNotify = Console::i_pdmIfSecKeyHlp_KeyMissingNotify;
462 pIfSecKeyHlp->pConsole = this;
463 mpIfSecKeyHlp = pIfSecKeyHlp;
464
465 return BaseFinalConstruct();
466}
467
468void Console::FinalRelease()
469{
470 LogFlowThisFunc(("\n"));
471
472 uninit();
473
474 BaseFinalRelease();
475}
476
477// public initializer/uninitializer for internal purposes only
478/////////////////////////////////////////////////////////////////////////////
479
480HRESULT Console::init(IMachine *aMachine, IInternalMachineControl *aControl, LockType_T aLockType)
481{
482 AssertReturn(aMachine && aControl, E_INVALIDARG);
483
484 /* Enclose the state transition NotReady->InInit->Ready */
485 AutoInitSpan autoInitSpan(this);
486 AssertReturn(autoInitSpan.isOk(), E_FAIL);
487
488 LogFlowThisFuncEnter();
489 LogFlowThisFunc(("aMachine=%p, aControl=%p\n", aMachine, aControl));
490
491 HRESULT rc = E_FAIL;
492
493 unconst(mMachine) = aMachine;
494 unconst(mControl) = aControl;
495
496 /* Cache essential properties and objects, and create child objects */
497
498 rc = mMachine->COMGETTER(State)(&mMachineState);
499 AssertComRCReturnRC(rc);
500
501 rc = mMachine->COMGETTER(Id)(mstrUuid.asOutParam());
502 AssertComRCReturnRC(rc);
503
504#ifdef VBOX_WITH_EXTPACK
505 unconst(mptrExtPackManager).createObject();
506 rc = mptrExtPackManager->initExtPackManager(NULL, VBOXEXTPACKCTX_VM_PROCESS);
507 AssertComRCReturnRC(rc);
508#endif
509
510 // Event source may be needed by other children
511 unconst(mEventSource).createObject();
512 rc = mEventSource->init();
513 AssertComRCReturnRC(rc);
514
515 mcAudioRefs = 0;
516 mcVRDPClients = 0;
517 mu32SingleRDPClientId = 0;
518 mcGuestCredentialsProvided = false;
519
520 /* Now the VM specific parts */
521 if (aLockType == LockType_VM)
522 {
523 rc = mMachine->COMGETTER(VRDEServer)(unconst(mVRDEServer).asOutParam());
524 AssertComRCReturnRC(rc);
525
526 unconst(mGuest).createObject();
527 rc = mGuest->init(this);
528 AssertComRCReturnRC(rc);
529
530 ULONG cCpus = 1;
531 rc = mMachine->COMGETTER(CPUCount)(&cCpus);
532 mGuest->i_setCpuCount(cCpus);
533
534 unconst(mKeyboard).createObject();
535 rc = mKeyboard->init(this);
536 AssertComRCReturnRC(rc);
537
538 unconst(mMouse).createObject();
539 rc = mMouse->init(this);
540 AssertComRCReturnRC(rc);
541
542 unconst(mDisplay).createObject();
543 rc = mDisplay->init(this);
544 AssertComRCReturnRC(rc);
545
546 unconst(mVRDEServerInfo).createObject();
547 rc = mVRDEServerInfo->init(this);
548 AssertComRCReturnRC(rc);
549
550 unconst(mEmulatedUSB).createObject();
551 rc = mEmulatedUSB->init(this);
552 AssertComRCReturnRC(rc);
553
554 /* Grab global and machine shared folder lists */
555
556 rc = i_fetchSharedFolders(true /* aGlobal */);
557 AssertComRCReturnRC(rc);
558 rc = i_fetchSharedFolders(false /* aGlobal */);
559 AssertComRCReturnRC(rc);
560
561 /* Create other child objects */
562
563 unconst(mConsoleVRDPServer) = new ConsoleVRDPServer(this);
564 AssertReturn(mConsoleVRDPServer, E_FAIL);
565
566 /* Figure out size of meAttachmentType vector */
567 ComPtr<IVirtualBox> pVirtualBox;
568 rc = aMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
569 AssertComRC(rc);
570 ComPtr<ISystemProperties> pSystemProperties;
571 if (pVirtualBox)
572 pVirtualBox->COMGETTER(SystemProperties)(pSystemProperties.asOutParam());
573 ChipsetType_T chipsetType = ChipsetType_PIIX3;
574 aMachine->COMGETTER(ChipsetType)(&chipsetType);
575 ULONG maxNetworkAdapters = 0;
576 if (pSystemProperties)
577 pSystemProperties->GetMaxNetworkAdapters(chipsetType, &maxNetworkAdapters);
578 meAttachmentType.resize(maxNetworkAdapters);
579 for (ULONG slot = 0; slot < maxNetworkAdapters; ++slot)
580 meAttachmentType[slot] = NetworkAttachmentType_Null;
581
582#ifdef VBOX_WITH_VRDE_AUDIO
583 unconst(mAudioVRDE) = new AudioVRDE(this);
584 AssertReturn(mAudioVRDE, E_FAIL);
585#endif
586#ifdef VBOX_WITH_AUDIO_VIDEOREC
587 unconst(mAudioVideoRec) = new AudioVideoRec(this);
588 AssertReturn(mAudioVideoRec, E_FAIL);
589#endif
590 FirmwareType_T enmFirmwareType;
591 mMachine->COMGETTER(FirmwareType)(&enmFirmwareType);
592 if ( enmFirmwareType == FirmwareType_EFI
593 || enmFirmwareType == FirmwareType_EFI32
594 || enmFirmwareType == FirmwareType_EFI64
595 || enmFirmwareType == FirmwareType_EFIDUAL)
596 {
597 unconst(mNvram) = new Nvram(this);
598 AssertReturn(mNvram, E_FAIL);
599 }
600
601#ifdef VBOX_WITH_USB_CARDREADER
602 unconst(mUsbCardReader) = new UsbCardReader(this);
603 AssertReturn(mUsbCardReader, E_FAIL);
604#endif
605
606 m_cDisksPwProvided = 0;
607 m_cDisksEncrypted = 0;
608
609 unconst(m_pKeyStore) = new SecretKeyStore(true /* fKeyBufNonPageable */);
610 AssertReturn(m_pKeyStore, E_FAIL);
611
612 /* VirtualBox events registration. */
613 {
614 ComPtr<IEventSource> pES;
615 rc = pVirtualBox->COMGETTER(EventSource)(pES.asOutParam());
616 AssertComRC(rc);
617 ComObjPtr<VmEventListenerImpl> aVmListener;
618 aVmListener.createObject();
619 aVmListener->init(new VmEventListener(), this);
620 mVmListener = aVmListener;
621 com::SafeArray<VBoxEventType_T> eventTypes;
622 eventTypes.push_back(VBoxEventType_OnNATRedirect);
623 eventTypes.push_back(VBoxEventType_OnHostNameResolutionConfigurationChange);
624 eventTypes.push_back(VBoxEventType_OnHostPCIDevicePlug);
625 eventTypes.push_back(VBoxEventType_OnExtraDataChanged);
626 rc = pES->RegisterListener(aVmListener, ComSafeArrayAsInParam(eventTypes), true);
627 AssertComRC(rc);
628 }
629 }
630
631 /* Confirm a successful initialization when it's the case */
632 autoInitSpan.setSucceeded();
633
634#ifdef VBOX_WITH_EXTPACK
635 /* Let the extension packs have a go at things (hold no locks). */
636 if (SUCCEEDED(rc))
637 mptrExtPackManager->i_callAllConsoleReadyHooks(this);
638#endif
639
640 LogFlowThisFuncLeave();
641
642 return S_OK;
643}
644
645/**
646 * Uninitializes the Console object.
647 */
648void Console::uninit()
649{
650 LogFlowThisFuncEnter();
651
652 /* Enclose the state transition Ready->InUninit->NotReady */
653 AutoUninitSpan autoUninitSpan(this);
654 if (autoUninitSpan.uninitDone())
655 {
656 LogFlowThisFunc(("Already uninitialized.\n"));
657 LogFlowThisFuncLeave();
658 return;
659 }
660
661 LogFlowThisFunc(("initFailed()=%d\n", autoUninitSpan.initFailed()));
662 if (mVmListener)
663 {
664 ComPtr<IEventSource> pES;
665 ComPtr<IVirtualBox> pVirtualBox;
666 HRESULT rc = mMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
667 AssertComRC(rc);
668 if (SUCCEEDED(rc) && !pVirtualBox.isNull())
669 {
670 rc = pVirtualBox->COMGETTER(EventSource)(pES.asOutParam());
671 AssertComRC(rc);
672 if (!pES.isNull())
673 {
674 rc = pES->UnregisterListener(mVmListener);
675 AssertComRC(rc);
676 }
677 }
678 mVmListener.setNull();
679 }
680
681 /* power down the VM if necessary */
682 if (mpUVM)
683 {
684 i_powerDown();
685 Assert(mpUVM == NULL);
686 }
687
688 if (mVMZeroCallersSem != NIL_RTSEMEVENT)
689 {
690 RTSemEventDestroy(mVMZeroCallersSem);
691 mVMZeroCallersSem = NIL_RTSEMEVENT;
692 }
693
694 if (mpVmm2UserMethods)
695 {
696 RTMemFree((void *)mpVmm2UserMethods);
697 mpVmm2UserMethods = NULL;
698 }
699
700 if (mpIfSecKey)
701 {
702 RTMemFree((void *)mpIfSecKey);
703 mpIfSecKey = NULL;
704 }
705
706 if (mpIfSecKeyHlp)
707 {
708 RTMemFree((void *)mpIfSecKeyHlp);
709 mpIfSecKeyHlp = NULL;
710 }
711
712 if (mNvram)
713 {
714 delete mNvram;
715 unconst(mNvram) = NULL;
716 }
717
718#ifdef VBOX_WITH_USB_CARDREADER
719 if (mUsbCardReader)
720 {
721 delete mUsbCardReader;
722 unconst(mUsbCardReader) = NULL;
723 }
724#endif
725
726#ifdef VBOX_WITH_VRDE_AUDIO
727 if (mAudioVRDE)
728 {
729 delete mAudioVRDE;
730 unconst(mAudioVRDE) = NULL;
731 }
732#endif
733
734#ifdef VBOX_WITH_AUDIO_VIDEOREC
735 if (mAudioVideoRec)
736 {
737 delete mAudioVideoRec;
738 unconst(mAudioVideoRec) = NULL;
739 }
740#endif
741
742 // if the VM had a VMMDev with an HGCM thread, then remove that here
743 if (m_pVMMDev)
744 {
745 delete m_pVMMDev;
746 unconst(m_pVMMDev) = NULL;
747 }
748
749 if (mBusMgr)
750 {
751 mBusMgr->Release();
752 mBusMgr = NULL;
753 }
754
755 if (m_pKeyStore)
756 {
757 delete m_pKeyStore;
758 unconst(m_pKeyStore) = NULL;
759 }
760
761 m_mapGlobalSharedFolders.clear();
762 m_mapMachineSharedFolders.clear();
763 m_mapSharedFolders.clear(); // console instances
764
765 mRemoteUSBDevices.clear();
766 mUSBDevices.clear();
767
768 if (mVRDEServerInfo)
769 {
770 mVRDEServerInfo->uninit();
771 unconst(mVRDEServerInfo).setNull();
772 }
773
774 if (mEmulatedUSB)
775 {
776 mEmulatedUSB->uninit();
777 unconst(mEmulatedUSB).setNull();
778 }
779
780 if (mDebugger)
781 {
782 mDebugger->uninit();
783 unconst(mDebugger).setNull();
784 }
785
786 if (mDisplay)
787 {
788 mDisplay->uninit();
789 unconst(mDisplay).setNull();
790 }
791
792 if (mMouse)
793 {
794 mMouse->uninit();
795 unconst(mMouse).setNull();
796 }
797
798 if (mKeyboard)
799 {
800 mKeyboard->uninit();
801 unconst(mKeyboard).setNull();
802 }
803
804 if (mGuest)
805 {
806 mGuest->uninit();
807 unconst(mGuest).setNull();
808 }
809
810 if (mConsoleVRDPServer)
811 {
812 delete mConsoleVRDPServer;
813 unconst(mConsoleVRDPServer) = NULL;
814 }
815
816 unconst(mVRDEServer).setNull();
817
818 unconst(mControl).setNull();
819 unconst(mMachine).setNull();
820
821 // we don't perform uninit() as it's possible that some pending event refers to this source
822 unconst(mEventSource).setNull();
823
824 LogFlowThisFuncLeave();
825}
826
827#ifdef VBOX_WITH_GUEST_PROPS
828
829/**
830 * Handles guest properties on a VM reset.
831 *
832 * We must delete properties that are flagged TRANSRESET.
833 *
834 * @todo r=bird: Would be more efficient if we added a request to the HGCM
835 * service to do this instead of detouring thru VBoxSVC.
836 * (IMachine::SetGuestProperty ends up in VBoxSVC, which in turns calls
837 * back into the VM process and the HGCM service.)
838 */
839void Console::i_guestPropertiesHandleVMReset(void)
840{
841 std::vector<Utf8Str> names;
842 std::vector<Utf8Str> values;
843 std::vector<LONG64> timestamps;
844 std::vector<Utf8Str> flags;
845 HRESULT hrc = i_enumerateGuestProperties("*", names, values, timestamps, flags);
846 if (SUCCEEDED(hrc))
847 {
848 for (size_t i = 0; i < flags.size(); i++)
849 {
850 /* Delete all properties which have the flag "TRANSRESET". */
851 if (flags[i].contains("TRANSRESET", Utf8Str::CaseInsensitive))
852 {
853 hrc = mMachine->DeleteGuestProperty(Bstr(names[i]).raw());
854 if (FAILED(hrc))
855 LogRel(("RESET: Could not delete transient property \"%s\", rc=%Rhrc\n",
856 names[i].c_str(), hrc));
857 }
858 }
859 }
860 else
861 LogRel(("RESET: Unable to enumerate guest properties, rc=%Rhrc\n", hrc));
862}
863
864bool Console::i_guestPropertiesVRDPEnabled(void)
865{
866 Bstr value;
867 HRESULT hrc = mMachine->GetExtraData(Bstr("VBoxInternal2/EnableGuestPropertiesVRDP").raw(),
868 value.asOutParam());
869 if ( hrc == S_OK
870 && value == "1")
871 return true;
872 return false;
873}
874
875void Console::i_guestPropertiesVRDPUpdateLogon(uint32_t u32ClientId, const char *pszUser, const char *pszDomain)
876{
877 if (!i_guestPropertiesVRDPEnabled())
878 return;
879
880 LogFlowFunc(("\n"));
881
882 char szPropNm[256];
883 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
884
885 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Name", u32ClientId);
886 Bstr clientName;
887 mVRDEServerInfo->COMGETTER(ClientName)(clientName.asOutParam());
888
889 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
890 clientName.raw(),
891 bstrReadOnlyGuest.raw());
892
893 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/User", u32ClientId);
894 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
895 Bstr(pszUser).raw(),
896 bstrReadOnlyGuest.raw());
897
898 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Domain", u32ClientId);
899 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
900 Bstr(pszDomain).raw(),
901 bstrReadOnlyGuest.raw());
902
903 char szClientId[64];
904 RTStrPrintf(szClientId, sizeof(szClientId), "%u", u32ClientId);
905 mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/VRDP/LastConnectedClient").raw(),
906 Bstr(szClientId).raw(),
907 bstrReadOnlyGuest.raw());
908
909 return;
910}
911
912void Console::i_guestPropertiesVRDPUpdateActiveClient(uint32_t u32ClientId)
913{
914 if (!i_guestPropertiesVRDPEnabled())
915 return;
916
917 LogFlowFunc(("%d\n", u32ClientId));
918
919 Bstr bstrFlags(L"RDONLYGUEST,TRANSIENT");
920
921 char szClientId[64];
922 RTStrPrintf(szClientId, sizeof(szClientId), "%u", u32ClientId);
923
924 mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/VRDP/ActiveClient").raw(),
925 Bstr(szClientId).raw(),
926 bstrFlags.raw());
927
928 return;
929}
930
931void Console::i_guestPropertiesVRDPUpdateNameChange(uint32_t u32ClientId, const char *pszName)
932{
933 if (!i_guestPropertiesVRDPEnabled())
934 return;
935
936 LogFlowFunc(("\n"));
937
938 char szPropNm[256];
939 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
940
941 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Name", u32ClientId);
942 Bstr clientName(pszName);
943
944 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
945 clientName.raw(),
946 bstrReadOnlyGuest.raw());
947
948}
949
950void Console::i_guestPropertiesVRDPUpdateIPAddrChange(uint32_t u32ClientId, const char *pszIPAddr)
951{
952 if (!i_guestPropertiesVRDPEnabled())
953 return;
954
955 LogFlowFunc(("\n"));
956
957 char szPropNm[256];
958 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
959
960 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/IPAddr", u32ClientId);
961 Bstr clientIPAddr(pszIPAddr);
962
963 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
964 clientIPAddr.raw(),
965 bstrReadOnlyGuest.raw());
966
967}
968
969void Console::i_guestPropertiesVRDPUpdateLocationChange(uint32_t u32ClientId, const char *pszLocation)
970{
971 if (!i_guestPropertiesVRDPEnabled())
972 return;
973
974 LogFlowFunc(("\n"));
975
976 char szPropNm[256];
977 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
978
979 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Location", u32ClientId);
980 Bstr clientLocation(pszLocation);
981
982 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
983 clientLocation.raw(),
984 bstrReadOnlyGuest.raw());
985
986}
987
988void Console::i_guestPropertiesVRDPUpdateOtherInfoChange(uint32_t u32ClientId, const char *pszOtherInfo)
989{
990 if (!i_guestPropertiesVRDPEnabled())
991 return;
992
993 LogFlowFunc(("\n"));
994
995 char szPropNm[256];
996 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
997
998 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/OtherInfo", u32ClientId);
999 Bstr clientOtherInfo(pszOtherInfo);
1000
1001 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
1002 clientOtherInfo.raw(),
1003 bstrReadOnlyGuest.raw());
1004
1005}
1006
1007void Console::i_guestPropertiesVRDPUpdateClientAttach(uint32_t u32ClientId, bool fAttached)
1008{
1009 if (!i_guestPropertiesVRDPEnabled())
1010 return;
1011
1012 LogFlowFunc(("\n"));
1013
1014 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
1015
1016 char szPropNm[256];
1017 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Attach", u32ClientId);
1018
1019 Bstr bstrValue = fAttached? "1": "0";
1020
1021 mMachine->SetGuestProperty(Bstr(szPropNm).raw(),
1022 bstrValue.raw(),
1023 bstrReadOnlyGuest.raw());
1024}
1025
1026void Console::i_guestPropertiesVRDPUpdateDisconnect(uint32_t u32ClientId)
1027{
1028 if (!i_guestPropertiesVRDPEnabled())
1029 return;
1030
1031 LogFlowFunc(("\n"));
1032
1033 Bstr bstrReadOnlyGuest(L"RDONLYGUEST");
1034
1035 char szPropNm[256];
1036 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Name", u32ClientId);
1037 mMachine->SetGuestProperty(Bstr(szPropNm).raw(), NULL,
1038 bstrReadOnlyGuest.raw());
1039
1040 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/User", u32ClientId);
1041 mMachine->SetGuestProperty(Bstr(szPropNm).raw(), NULL,
1042 bstrReadOnlyGuest.raw());
1043
1044 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Domain", u32ClientId);
1045 mMachine->SetGuestProperty(Bstr(szPropNm).raw(), NULL,
1046 bstrReadOnlyGuest.raw());
1047
1048 RTStrPrintf(szPropNm, sizeof(szPropNm), "/VirtualBox/HostInfo/VRDP/Client/%u/Attach", u32ClientId);
1049 mMachine->SetGuestProperty(Bstr(szPropNm).raw(), NULL,
1050 bstrReadOnlyGuest.raw());
1051
1052 char szClientId[64];
1053 RTStrPrintf(szClientId, sizeof(szClientId), "%d", u32ClientId);
1054 mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/VRDP/LastDisconnectedClient").raw(),
1055 Bstr(szClientId).raw(),
1056 bstrReadOnlyGuest.raw());
1057
1058 return;
1059}
1060
1061#endif /* VBOX_WITH_GUEST_PROPS */
1062
1063bool Console::i_isResetTurnedIntoPowerOff(void)
1064{
1065 Bstr value;
1066 HRESULT hrc = mMachine->GetExtraData(Bstr("VBoxInternal2/TurnResetIntoPowerOff").raw(),
1067 value.asOutParam());
1068 if ( hrc == S_OK
1069 && value == "1")
1070 return true;
1071 return false;
1072}
1073
1074#ifdef VBOX_WITH_EXTPACK
1075/**
1076 * Used by VRDEServer and others to talke to the extension pack manager.
1077 *
1078 * @returns The extension pack manager.
1079 */
1080ExtPackManager *Console::i_getExtPackManager()
1081{
1082 return mptrExtPackManager;
1083}
1084#endif
1085
1086
1087int Console::i_VRDPClientLogon(uint32_t u32ClientId, const char *pszUser, const char *pszPassword, const char *pszDomain)
1088{
1089 LogFlowFuncEnter();
1090 LogFlowFunc(("%d, %s, %s, %s\n", u32ClientId, pszUser, pszPassword, pszDomain));
1091
1092 AutoCaller autoCaller(this);
1093 if (!autoCaller.isOk())
1094 {
1095 /* Console has been already uninitialized, deny request */
1096 LogRel(("AUTH: Access denied (Console uninitialized).\n"));
1097 LogFlowFuncLeave();
1098 return VERR_ACCESS_DENIED;
1099 }
1100
1101 Guid uuid = Guid(i_getId());
1102
1103 AuthType_T authType = AuthType_Null;
1104 HRESULT hrc = mVRDEServer->COMGETTER(AuthType)(&authType);
1105 AssertComRCReturn(hrc, VERR_ACCESS_DENIED);
1106
1107 ULONG authTimeout = 0;
1108 hrc = mVRDEServer->COMGETTER(AuthTimeout)(&authTimeout);
1109 AssertComRCReturn(hrc, VERR_ACCESS_DENIED);
1110
1111 AuthResult result = AuthResultAccessDenied;
1112 AuthGuestJudgement guestJudgement = AuthGuestNotAsked;
1113
1114 LogFlowFunc(("Auth type %d\n", authType));
1115
1116 LogRel(("AUTH: User: [%s]. Domain: [%s]. Authentication type: [%s]\n",
1117 pszUser, pszDomain,
1118 authType == AuthType_Null?
1119 "Null":
1120 (authType == AuthType_External?
1121 "External":
1122 (authType == AuthType_Guest?
1123 "Guest":
1124 "INVALID"
1125 )
1126 )
1127 ));
1128
1129 switch (authType)
1130 {
1131 case AuthType_Null:
1132 {
1133 result = AuthResultAccessGranted;
1134 break;
1135 }
1136
1137 case AuthType_External:
1138 {
1139 /* Call the external library. */
1140 result = mConsoleVRDPServer->Authenticate(uuid, guestJudgement, pszUser, pszPassword, pszDomain, u32ClientId);
1141
1142 if (result != AuthResultDelegateToGuest)
1143 {
1144 break;
1145 }
1146
1147 LogRel(("AUTH: Delegated to guest.\n"));
1148
1149 LogFlowFunc(("External auth asked for guest judgement\n"));
1150 }
1151 /* fall thru */
1152
1153 case AuthType_Guest:
1154 {
1155 guestJudgement = AuthGuestNotReacted;
1156
1157 /** @todo r=dj locking required here for m_pVMMDev? */
1158 PPDMIVMMDEVPORT pDevPort;
1159 if ( (m_pVMMDev)
1160 && ((pDevPort = m_pVMMDev->getVMMDevPort()))
1161 )
1162 {
1163 /* Issue the request to guest. Assume that the call does not require EMT. It should not. */
1164
1165 /* Ask the guest to judge these credentials. */
1166 uint32_t u32GuestFlags = VMMDEV_SETCREDENTIALS_JUDGE;
1167
1168 int rc = pDevPort->pfnSetCredentials(pDevPort, pszUser, pszPassword, pszDomain, u32GuestFlags);
1169
1170 if (RT_SUCCESS(rc))
1171 {
1172 /* Wait for guest. */
1173 rc = m_pVMMDev->WaitCredentialsJudgement(authTimeout, &u32GuestFlags);
1174
1175 if (RT_SUCCESS(rc))
1176 {
1177 switch (u32GuestFlags & (VMMDEV_CREDENTIALS_JUDGE_OK | VMMDEV_CREDENTIALS_JUDGE_DENY |
1178 VMMDEV_CREDENTIALS_JUDGE_NOJUDGEMENT))
1179 {
1180 case VMMDEV_CREDENTIALS_JUDGE_DENY: guestJudgement = AuthGuestAccessDenied; break;
1181 case VMMDEV_CREDENTIALS_JUDGE_NOJUDGEMENT: guestJudgement = AuthGuestNoJudgement; break;
1182 case VMMDEV_CREDENTIALS_JUDGE_OK: guestJudgement = AuthGuestAccessGranted; break;
1183 default:
1184 LogFlowFunc(("Invalid guest flags %08X!!!\n", u32GuestFlags)); break;
1185 }
1186 }
1187 else
1188 {
1189 LogFlowFunc(("Wait for credentials judgement rc = %Rrc!!!\n", rc));
1190 }
1191
1192 LogFlowFunc(("Guest judgement %d\n", guestJudgement));
1193 }
1194 else
1195 {
1196 LogFlowFunc(("Could not set credentials rc = %Rrc!!!\n", rc));
1197 }
1198 }
1199
1200 if (authType == AuthType_External)
1201 {
1202 LogRel(("AUTH: Guest judgement %d.\n", guestJudgement));
1203 LogFlowFunc(("External auth called again with guest judgement = %d\n", guestJudgement));
1204 result = mConsoleVRDPServer->Authenticate(uuid, guestJudgement, pszUser, pszPassword, pszDomain, u32ClientId);
1205 }
1206 else
1207 {
1208 switch (guestJudgement)
1209 {
1210 case AuthGuestAccessGranted:
1211 result = AuthResultAccessGranted;
1212 break;
1213 default:
1214 result = AuthResultAccessDenied;
1215 break;
1216 }
1217 }
1218 } break;
1219
1220 default:
1221 AssertFailed();
1222 }
1223
1224 LogFlowFunc(("Result = %d\n", result));
1225 LogFlowFuncLeave();
1226
1227 if (result != AuthResultAccessGranted)
1228 {
1229 /* Reject. */
1230 LogRel(("AUTH: Access denied.\n"));
1231 return VERR_ACCESS_DENIED;
1232 }
1233
1234 LogRel(("AUTH: Access granted.\n"));
1235
1236 /* Multiconnection check must be made after authentication, so bad clients would not interfere with a good one. */
1237 BOOL allowMultiConnection = FALSE;
1238 hrc = mVRDEServer->COMGETTER(AllowMultiConnection)(&allowMultiConnection);
1239 AssertComRCReturn(hrc, VERR_ACCESS_DENIED);
1240
1241 BOOL reuseSingleConnection = FALSE;
1242 hrc = mVRDEServer->COMGETTER(ReuseSingleConnection)(&reuseSingleConnection);
1243 AssertComRCReturn(hrc, VERR_ACCESS_DENIED);
1244
1245 LogFlowFunc(("allowMultiConnection %d, reuseSingleConnection = %d, mcVRDPClients = %d, mu32SingleRDPClientId = %d\n",
1246 allowMultiConnection, reuseSingleConnection, mcVRDPClients, mu32SingleRDPClientId));
1247
1248 if (allowMultiConnection == FALSE)
1249 {
1250 /* Note: the 'mcVRDPClients' variable is incremented in ClientConnect callback, which is called when the client
1251 * is successfully connected, that is after the ClientLogon callback. Therefore the mcVRDPClients
1252 * value is 0 for first client.
1253 */
1254 if (mcVRDPClients != 0)
1255 {
1256 Assert(mcVRDPClients == 1);
1257 /* There is a client already.
1258 * If required drop the existing client connection and let the connecting one in.
1259 */
1260 if (reuseSingleConnection)
1261 {
1262 LogRel(("AUTH: Multiple connections are not enabled. Disconnecting existing client.\n"));
1263 mConsoleVRDPServer->DisconnectClient(mu32SingleRDPClientId, false);
1264 }
1265 else
1266 {
1267 /* Reject. */
1268 LogRel(("AUTH: Multiple connections are not enabled. Access denied.\n"));
1269 return VERR_ACCESS_DENIED;
1270 }
1271 }
1272
1273 /* Save the connected client id. From now on it will be necessary to disconnect this one. */
1274 mu32SingleRDPClientId = u32ClientId;
1275 }
1276
1277#ifdef VBOX_WITH_GUEST_PROPS
1278 i_guestPropertiesVRDPUpdateLogon(u32ClientId, pszUser, pszDomain);
1279#endif /* VBOX_WITH_GUEST_PROPS */
1280
1281 /* Check if the successfully verified credentials are to be sent to the guest. */
1282 BOOL fProvideGuestCredentials = FALSE;
1283
1284 Bstr value;
1285 hrc = mMachine->GetExtraData(Bstr("VRDP/ProvideGuestCredentials").raw(),
1286 value.asOutParam());
1287 if (SUCCEEDED(hrc) && value == "1")
1288 {
1289 /* Provide credentials only if there are no logged in users. */
1290 Utf8Str noLoggedInUsersValue;
1291 LONG64 ul64Timestamp = 0;
1292 Utf8Str flags;
1293
1294 hrc = i_getGuestProperty("/VirtualBox/GuestInfo/OS/NoLoggedInUsers",
1295 &noLoggedInUsersValue, &ul64Timestamp, &flags);
1296
1297 if (SUCCEEDED(hrc) && noLoggedInUsersValue != "false")
1298 {
1299 /* And only if there are no connected clients. */
1300 if (ASMAtomicCmpXchgBool(&mcGuestCredentialsProvided, true, false))
1301 {
1302 fProvideGuestCredentials = TRUE;
1303 }
1304 }
1305 }
1306
1307 /** @todo r=dj locking required here for m_pVMMDev? */
1308 if ( fProvideGuestCredentials
1309 && m_pVMMDev)
1310 {
1311 uint32_t u32GuestFlags = VMMDEV_SETCREDENTIALS_GUESTLOGON;
1312
1313 PPDMIVMMDEVPORT pDevPort = m_pVMMDev->getVMMDevPort();
1314 if (pDevPort)
1315 {
1316 int rc = pDevPort->pfnSetCredentials(m_pVMMDev->getVMMDevPort(),
1317 pszUser, pszPassword, pszDomain, u32GuestFlags);
1318 AssertRC(rc);
1319 }
1320 }
1321
1322 return VINF_SUCCESS;
1323}
1324
1325void Console::i_VRDPClientStatusChange(uint32_t u32ClientId, const char *pszStatus)
1326{
1327 LogFlowFuncEnter();
1328
1329 AutoCaller autoCaller(this);
1330 AssertComRCReturnVoid(autoCaller.rc());
1331
1332 LogFlowFunc(("%s\n", pszStatus));
1333
1334#ifdef VBOX_WITH_GUEST_PROPS
1335 /* Parse the status string. */
1336 if (RTStrICmp(pszStatus, "ATTACH") == 0)
1337 {
1338 i_guestPropertiesVRDPUpdateClientAttach(u32ClientId, true);
1339 }
1340 else if (RTStrICmp(pszStatus, "DETACH") == 0)
1341 {
1342 i_guestPropertiesVRDPUpdateClientAttach(u32ClientId, false);
1343 }
1344 else if (RTStrNICmp(pszStatus, "NAME=", strlen("NAME=")) == 0)
1345 {
1346 i_guestPropertiesVRDPUpdateNameChange(u32ClientId, pszStatus + strlen("NAME="));
1347 }
1348 else if (RTStrNICmp(pszStatus, "CIPA=", strlen("CIPA=")) == 0)
1349 {
1350 i_guestPropertiesVRDPUpdateIPAddrChange(u32ClientId, pszStatus + strlen("CIPA="));
1351 }
1352 else if (RTStrNICmp(pszStatus, "CLOCATION=", strlen("CLOCATION=")) == 0)
1353 {
1354 i_guestPropertiesVRDPUpdateLocationChange(u32ClientId, pszStatus + strlen("CLOCATION="));
1355 }
1356 else if (RTStrNICmp(pszStatus, "COINFO=", strlen("COINFO=")) == 0)
1357 {
1358 i_guestPropertiesVRDPUpdateOtherInfoChange(u32ClientId, pszStatus + strlen("COINFO="));
1359 }
1360#endif
1361
1362 LogFlowFuncLeave();
1363}
1364
1365void Console::i_VRDPClientConnect(uint32_t u32ClientId)
1366{
1367 LogFlowFuncEnter();
1368
1369 AutoCaller autoCaller(this);
1370 AssertComRCReturnVoid(autoCaller.rc());
1371
1372 uint32_t u32Clients = ASMAtomicIncU32(&mcVRDPClients);
1373 VMMDev *pDev;
1374 PPDMIVMMDEVPORT pPort;
1375 if ( (u32Clients == 1)
1376 && ((pDev = i_getVMMDev()))
1377 && ((pPort = pDev->getVMMDevPort()))
1378 )
1379 {
1380 pPort->pfnVRDPChange(pPort,
1381 true,
1382 VRDP_EXPERIENCE_LEVEL_FULL); /** @todo configurable */
1383 }
1384
1385 NOREF(u32ClientId);
1386 mDisplay->i_VideoAccelVRDP(true);
1387
1388#ifdef VBOX_WITH_GUEST_PROPS
1389 i_guestPropertiesVRDPUpdateActiveClient(u32ClientId);
1390#endif /* VBOX_WITH_GUEST_PROPS */
1391
1392 LogFlowFuncLeave();
1393 return;
1394}
1395
1396void Console::i_VRDPClientDisconnect(uint32_t u32ClientId,
1397 uint32_t fu32Intercepted)
1398{
1399 LogFlowFuncEnter();
1400
1401 AutoCaller autoCaller(this);
1402 AssertComRCReturnVoid(autoCaller.rc());
1403
1404 AssertReturnVoid(mConsoleVRDPServer);
1405
1406 uint32_t u32Clients = ASMAtomicDecU32(&mcVRDPClients);
1407 VMMDev *pDev;
1408 PPDMIVMMDEVPORT pPort;
1409
1410 if ( (u32Clients == 0)
1411 && ((pDev = i_getVMMDev()))
1412 && ((pPort = pDev->getVMMDevPort()))
1413 )
1414 {
1415 pPort->pfnVRDPChange(pPort,
1416 false,
1417 0);
1418 }
1419
1420 mDisplay->i_VideoAccelVRDP(false);
1421
1422 if (fu32Intercepted & VRDE_CLIENT_INTERCEPT_USB)
1423 {
1424 mConsoleVRDPServer->USBBackendDelete(u32ClientId);
1425 }
1426
1427 if (fu32Intercepted & VRDE_CLIENT_INTERCEPT_CLIPBOARD)
1428 {
1429 mConsoleVRDPServer->ClipboardDelete(u32ClientId);
1430 }
1431
1432#ifdef VBOX_WITH_VRDE_AUDIO
1433 if (fu32Intercepted & VRDE_CLIENT_INTERCEPT_AUDIO)
1434 {
1435 if (mAudioVRDE)
1436 mAudioVRDE->onVRDEControl(false /* fEnable */, 0 /* uFlags */);
1437 }
1438#endif
1439
1440 AuthType_T authType = AuthType_Null;
1441 HRESULT hrc = mVRDEServer->COMGETTER(AuthType)(&authType);
1442 AssertComRC(hrc);
1443
1444 if (authType == AuthType_External)
1445 mConsoleVRDPServer->AuthDisconnect(i_getId(), u32ClientId);
1446
1447#ifdef VBOX_WITH_GUEST_PROPS
1448 i_guestPropertiesVRDPUpdateDisconnect(u32ClientId);
1449 if (u32Clients == 0)
1450 i_guestPropertiesVRDPUpdateActiveClient(0);
1451#endif /* VBOX_WITH_GUEST_PROPS */
1452
1453 if (u32Clients == 0)
1454 mcGuestCredentialsProvided = false;
1455
1456 LogFlowFuncLeave();
1457 return;
1458}
1459
1460void Console::i_VRDPInterceptAudio(uint32_t u32ClientId)
1461{
1462 RT_NOREF(u32ClientId);
1463 LogFlowFuncEnter();
1464
1465 AutoCaller autoCaller(this);
1466 AssertComRCReturnVoid(autoCaller.rc());
1467
1468 LogFlowFunc(("u32ClientId=%RU32\n", u32ClientId));
1469
1470#ifdef VBOX_WITH_VRDE_AUDIO
1471 if (mAudioVRDE)
1472 mAudioVRDE->onVRDEControl(true /* fEnable */, 0 /* uFlags */);
1473#endif
1474
1475 LogFlowFuncLeave();
1476 return;
1477}
1478
1479void Console::i_VRDPInterceptUSB(uint32_t u32ClientId, void **ppvIntercept)
1480{
1481 LogFlowFuncEnter();
1482
1483 AutoCaller autoCaller(this);
1484 AssertComRCReturnVoid(autoCaller.rc());
1485
1486 AssertReturnVoid(mConsoleVRDPServer);
1487
1488 mConsoleVRDPServer->USBBackendCreate(u32ClientId, ppvIntercept);
1489
1490 LogFlowFuncLeave();
1491 return;
1492}
1493
1494void Console::i_VRDPInterceptClipboard(uint32_t u32ClientId)
1495{
1496 LogFlowFuncEnter();
1497
1498 AutoCaller autoCaller(this);
1499 AssertComRCReturnVoid(autoCaller.rc());
1500
1501 AssertReturnVoid(mConsoleVRDPServer);
1502
1503 mConsoleVRDPServer->ClipboardCreate(u32ClientId);
1504
1505 LogFlowFuncLeave();
1506 return;
1507}
1508
1509
1510//static
1511const char *Console::sSSMConsoleUnit = "ConsoleData";
1512//static
1513uint32_t Console::sSSMConsoleVer = 0x00010001;
1514
1515inline static const char *networkAdapterTypeToName(NetworkAdapterType_T adapterType)
1516{
1517 switch (adapterType)
1518 {
1519 case NetworkAdapterType_Am79C970A:
1520 case NetworkAdapterType_Am79C973:
1521 return "pcnet";
1522#ifdef VBOX_WITH_E1000
1523 case NetworkAdapterType_I82540EM:
1524 case NetworkAdapterType_I82543GC:
1525 case NetworkAdapterType_I82545EM:
1526 return "e1000";
1527#endif
1528#ifdef VBOX_WITH_VIRTIO
1529 case NetworkAdapterType_Virtio:
1530 return "virtio-net";
1531#endif
1532 default:
1533 AssertFailed();
1534 return "unknown";
1535 }
1536 /* not reached */
1537}
1538
1539/**
1540 * Loads various console data stored in the saved state file.
1541 * This method does validation of the state file and returns an error info
1542 * when appropriate.
1543 *
1544 * The method does nothing if the machine is not in the Saved file or if
1545 * console data from it has already been loaded.
1546 *
1547 * @note The caller must lock this object for writing.
1548 */
1549HRESULT Console::i_loadDataFromSavedState()
1550{
1551 if (mMachineState != MachineState_Saved || mSavedStateDataLoaded)
1552 return S_OK;
1553
1554 Bstr savedStateFile;
1555 HRESULT rc = mMachine->COMGETTER(StateFilePath)(savedStateFile.asOutParam());
1556 if (FAILED(rc))
1557 return rc;
1558
1559 PSSMHANDLE ssm;
1560 int vrc = SSMR3Open(Utf8Str(savedStateFile).c_str(), 0, &ssm);
1561 if (RT_SUCCESS(vrc))
1562 {
1563 uint32_t version = 0;
1564 vrc = SSMR3Seek(ssm, sSSMConsoleUnit, 0 /* iInstance */, &version);
1565 if (SSM_VERSION_MAJOR(version) == SSM_VERSION_MAJOR(sSSMConsoleVer))
1566 {
1567 if (RT_SUCCESS(vrc))
1568 vrc = i_loadStateFileExecInternal(ssm, version);
1569 else if (vrc == VERR_SSM_UNIT_NOT_FOUND)
1570 vrc = VINF_SUCCESS;
1571 }
1572 else
1573 vrc = VERR_SSM_UNSUPPORTED_DATA_UNIT_VERSION;
1574
1575 SSMR3Close(ssm);
1576 }
1577
1578 if (RT_FAILURE(vrc))
1579 rc = setError(VBOX_E_FILE_ERROR,
1580 tr("The saved state file '%ls' is invalid (%Rrc). Delete the saved state and try again"),
1581 savedStateFile.raw(), vrc);
1582
1583 mSavedStateDataLoaded = true;
1584
1585 return rc;
1586}
1587
1588/**
1589 * Callback handler to save various console data to the state file,
1590 * called when the user saves the VM state.
1591 *
1592 * @param pSSM SSM handle.
1593 * @param pvUser pointer to Console
1594 *
1595 * @note Locks the Console object for reading.
1596 */
1597//static
1598DECLCALLBACK(void) Console::i_saveStateFileExec(PSSMHANDLE pSSM, void *pvUser)
1599{
1600 LogFlowFunc(("\n"));
1601
1602 Console *that = static_cast<Console *>(pvUser);
1603 AssertReturnVoid(that);
1604
1605 AutoCaller autoCaller(that);
1606 AssertComRCReturnVoid(autoCaller.rc());
1607
1608 AutoReadLock alock(that COMMA_LOCKVAL_SRC_POS);
1609
1610 int vrc = SSMR3PutU32(pSSM, (uint32_t)that->m_mapSharedFolders.size());
1611 AssertRC(vrc);
1612
1613 for (SharedFolderMap::const_iterator it = that->m_mapSharedFolders.begin();
1614 it != that->m_mapSharedFolders.end();
1615 ++it)
1616 {
1617 SharedFolder *pSF = (*it).second;
1618 AutoCaller sfCaller(pSF);
1619 AutoReadLock sfLock(pSF COMMA_LOCKVAL_SRC_POS);
1620
1621 Utf8Str name = pSF->i_getName();
1622 vrc = SSMR3PutU32(pSSM, (uint32_t)name.length() + 1 /* term. 0 */);
1623 AssertRC(vrc);
1624 vrc = SSMR3PutStrZ(pSSM, name.c_str());
1625 AssertRC(vrc);
1626
1627 Utf8Str hostPath = pSF->i_getHostPath();
1628 vrc = SSMR3PutU32(pSSM, (uint32_t)hostPath.length() + 1 /* term. 0 */);
1629 AssertRC(vrc);
1630 vrc = SSMR3PutStrZ(pSSM, hostPath.c_str());
1631 AssertRC(vrc);
1632
1633 vrc = SSMR3PutBool(pSSM, !!pSF->i_isWritable());
1634 AssertRC(vrc);
1635
1636 vrc = SSMR3PutBool(pSSM, !!pSF->i_isAutoMounted());
1637 AssertRC(vrc);
1638 }
1639
1640 return;
1641}
1642
1643/**
1644 * Callback handler to load various console data from the state file.
1645 * Called when the VM is being restored from the saved state.
1646 *
1647 * @param pSSM SSM handle.
1648 * @param pvUser pointer to Console
1649 * @param uVersion Console unit version.
1650 * Should match sSSMConsoleVer.
1651 * @param uPass The data pass.
1652 *
1653 * @note Should locks the Console object for writing, if necessary.
1654 */
1655//static
1656DECLCALLBACK(int)
1657Console::i_loadStateFileExec(PSSMHANDLE pSSM, void *pvUser, uint32_t uVersion, uint32_t uPass)
1658{
1659 LogFlowFunc(("\n"));
1660
1661 if (SSM_VERSION_MAJOR_CHANGED(uVersion, sSSMConsoleVer))
1662 return VERR_VERSION_MISMATCH;
1663 Assert(uPass == SSM_PASS_FINAL); NOREF(uPass);
1664
1665 Console *that = static_cast<Console *>(pvUser);
1666 AssertReturn(that, VERR_INVALID_PARAMETER);
1667
1668 /* Currently, nothing to do when we've been called from VMR3Load*. */
1669 return SSMR3SkipToEndOfUnit(pSSM);
1670}
1671
1672/**
1673 * Method to load various console data from the state file.
1674 * Called from #i_loadDataFromSavedState.
1675 *
1676 * @param pSSM SSM handle.
1677 * @param u32Version Console unit version.
1678 * Should match sSSMConsoleVer.
1679 *
1680 * @note Locks the Console object for writing.
1681 */
1682int Console::i_loadStateFileExecInternal(PSSMHANDLE pSSM, uint32_t u32Version)
1683{
1684 AutoCaller autoCaller(this);
1685 AssertComRCReturn(autoCaller.rc(), VERR_ACCESS_DENIED);
1686
1687 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1688
1689 AssertReturn(m_mapSharedFolders.size() == 0, VERR_INTERNAL_ERROR);
1690
1691 uint32_t size = 0;
1692 int vrc = SSMR3GetU32(pSSM, &size);
1693 AssertRCReturn(vrc, vrc);
1694
1695 for (uint32_t i = 0; i < size; ++i)
1696 {
1697 Utf8Str strName;
1698 Utf8Str strHostPath;
1699 bool writable = true;
1700 bool autoMount = false;
1701
1702 uint32_t szBuf = 0;
1703 char *buf = NULL;
1704
1705 vrc = SSMR3GetU32(pSSM, &szBuf);
1706 AssertRCReturn(vrc, vrc);
1707 buf = new char[szBuf];
1708 vrc = SSMR3GetStrZ(pSSM, buf, szBuf);
1709 AssertRC(vrc);
1710 strName = buf;
1711 delete[] buf;
1712
1713 vrc = SSMR3GetU32(pSSM, &szBuf);
1714 AssertRCReturn(vrc, vrc);
1715 buf = new char[szBuf];
1716 vrc = SSMR3GetStrZ(pSSM, buf, szBuf);
1717 AssertRC(vrc);
1718 strHostPath = buf;
1719 delete[] buf;
1720
1721 if (u32Version > 0x00010000)
1722 SSMR3GetBool(pSSM, &writable);
1723
1724 if (u32Version > 0x00010000) // ???
1725 SSMR3GetBool(pSSM, &autoMount);
1726
1727 ComObjPtr<SharedFolder> pSharedFolder;
1728 pSharedFolder.createObject();
1729 HRESULT rc = pSharedFolder->init(this,
1730 strName,
1731 strHostPath,
1732 writable,
1733 autoMount,
1734 false /* fFailOnError */);
1735 AssertComRCReturn(rc, VERR_INTERNAL_ERROR);
1736
1737 m_mapSharedFolders.insert(std::make_pair(strName, pSharedFolder));
1738 }
1739
1740 return VINF_SUCCESS;
1741}
1742
1743#ifdef VBOX_WITH_GUEST_PROPS
1744
1745// static
1746DECLCALLBACK(int) Console::i_doGuestPropNotification(void *pvExtension,
1747 uint32_t u32Function,
1748 void *pvParms,
1749 uint32_t cbParms)
1750{
1751 using namespace guestProp;
1752
1753 Assert(u32Function == 0); NOREF(u32Function);
1754
1755 /*
1756 * No locking, as this is purely a notification which does not make any
1757 * changes to the object state.
1758 */
1759 PHOSTCALLBACKDATA pCBData = reinterpret_cast<PHOSTCALLBACKDATA>(pvParms);
1760 AssertReturn(sizeof(HOSTCALLBACKDATA) == cbParms, VERR_INVALID_PARAMETER);
1761 AssertReturn(HOSTCALLBACKMAGIC == pCBData->u32Magic, VERR_INVALID_PARAMETER);
1762 LogFlow(("Console::doGuestPropNotification: pCBData={.pcszName=%s, .pcszValue=%s, .pcszFlags=%s}\n",
1763 pCBData->pcszName, pCBData->pcszValue, pCBData->pcszFlags));
1764
1765 int rc;
1766 Bstr name(pCBData->pcszName);
1767 Bstr value(pCBData->pcszValue);
1768 Bstr flags(pCBData->pcszFlags);
1769 ComObjPtr<Console> pConsole = reinterpret_cast<Console *>(pvExtension);
1770 HRESULT hrc = pConsole->mControl->PushGuestProperty(name.raw(),
1771 value.raw(),
1772 pCBData->u64Timestamp,
1773 flags.raw());
1774 if (SUCCEEDED(hrc))
1775 {
1776 fireGuestPropertyChangedEvent(pConsole->mEventSource, pConsole->i_getId().raw(), name.raw(), value.raw(), flags.raw());
1777 rc = VINF_SUCCESS;
1778 }
1779 else
1780 {
1781 LogFlow(("Console::doGuestPropNotification: hrc=%Rhrc pCBData={.pcszName=%s, .pcszValue=%s, .pcszFlags=%s}\n",
1782 hrc, pCBData->pcszName, pCBData->pcszValue, pCBData->pcszFlags));
1783 rc = Global::vboxStatusCodeFromCOM(hrc);
1784 }
1785 return rc;
1786}
1787
1788HRESULT Console::i_doEnumerateGuestProperties(const Utf8Str &aPatterns,
1789 std::vector<Utf8Str> &aNames,
1790 std::vector<Utf8Str> &aValues,
1791 std::vector<LONG64> &aTimestamps,
1792 std::vector<Utf8Str> &aFlags)
1793{
1794 AssertReturn(m_pVMMDev, E_FAIL);
1795
1796 using namespace guestProp;
1797
1798 VBOXHGCMSVCPARM parm[3];
1799
1800 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
1801 parm[0].u.pointer.addr = (void*)aPatterns.c_str();
1802 parm[0].u.pointer.size = (uint32_t)aPatterns.length() + 1;
1803
1804 /*
1805 * Now things get slightly complicated. Due to a race with the guest adding
1806 * properties, there is no good way to know how much to enlarge a buffer for
1807 * the service to enumerate into. We choose a decent starting size and loop a
1808 * few times, each time retrying with the size suggested by the service plus
1809 * one Kb.
1810 */
1811 size_t cchBuf = 4096;
1812 Utf8Str Utf8Buf;
1813 int vrc = VERR_BUFFER_OVERFLOW;
1814 for (unsigned i = 0; i < 10 && (VERR_BUFFER_OVERFLOW == vrc); ++i)
1815 {
1816 try
1817 {
1818 Utf8Buf.reserve(cchBuf + 1024);
1819 }
1820 catch(...)
1821 {
1822 return E_OUTOFMEMORY;
1823 }
1824
1825 parm[1].type = VBOX_HGCM_SVC_PARM_PTR;
1826 parm[1].u.pointer.addr = Utf8Buf.mutableRaw();
1827 parm[1].u.pointer.size = (uint32_t)cchBuf + 1024;
1828
1829 parm[2].type = VBOX_HGCM_SVC_PARM_32BIT;
1830 parm[2].u.uint32 = 0;
1831
1832 vrc = m_pVMMDev->hgcmHostCall("VBoxGuestPropSvc", ENUM_PROPS_HOST, 3,
1833 &parm[0]);
1834 Utf8Buf.jolt();
1835 if (parm[2].type != VBOX_HGCM_SVC_PARM_32BIT)
1836 return setError(E_FAIL, tr("Internal application error"));
1837 cchBuf = parm[2].u.uint32;
1838 }
1839 if (VERR_BUFFER_OVERFLOW == vrc)
1840 return setError(E_UNEXPECTED,
1841 tr("Temporary failure due to guest activity, please retry"));
1842
1843 /*
1844 * Finally we have to unpack the data returned by the service into the safe
1845 * arrays supplied by the caller. We start by counting the number of entries.
1846 */
1847 const char *pszBuf
1848 = reinterpret_cast<const char *>(parm[1].u.pointer.addr);
1849 unsigned cEntries = 0;
1850 /* The list is terminated by a zero-length string at the end of a set
1851 * of four strings. */
1852 for (size_t i = 0; strlen(pszBuf + i) != 0; )
1853 {
1854 /* We are counting sets of four strings. */
1855 for (unsigned j = 0; j < 4; ++j)
1856 i += strlen(pszBuf + i) + 1;
1857 ++cEntries;
1858 }
1859
1860 aNames.resize(cEntries);
1861 aValues.resize(cEntries);
1862 aTimestamps.resize(cEntries);
1863 aFlags.resize(cEntries);
1864
1865 size_t iBuf = 0;
1866 /* Rely on the service to have formated the data correctly. */
1867 for (unsigned i = 0; i < cEntries; ++i)
1868 {
1869 size_t cchName = strlen(pszBuf + iBuf);
1870 aNames[i] = &pszBuf[iBuf];
1871 iBuf += cchName + 1;
1872
1873 size_t cchValue = strlen(pszBuf + iBuf);
1874 aValues[i] = &pszBuf[iBuf];
1875 iBuf += cchValue + 1;
1876
1877 size_t cchTimestamp = strlen(pszBuf + iBuf);
1878 aTimestamps[i] = RTStrToUInt64(&pszBuf[iBuf]);
1879 iBuf += cchTimestamp + 1;
1880
1881 size_t cchFlags = strlen(pszBuf + iBuf);
1882 aFlags[i] = &pszBuf[iBuf];
1883 iBuf += cchFlags + 1;
1884 }
1885
1886 return S_OK;
1887}
1888
1889#endif /* VBOX_WITH_GUEST_PROPS */
1890
1891
1892// IConsole properties
1893/////////////////////////////////////////////////////////////////////////////
1894HRESULT Console::getMachine(ComPtr<IMachine> &aMachine)
1895{
1896 /* mMachine is constant during life time, no need to lock */
1897 mMachine.queryInterfaceTo(aMachine.asOutParam());
1898
1899 /* callers expect to get a valid reference, better fail than crash them */
1900 if (mMachine.isNull())
1901 return E_FAIL;
1902
1903 return S_OK;
1904}
1905
1906HRESULT Console::getState(MachineState_T *aState)
1907{
1908 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1909
1910 /* we return our local state (since it's always the same as on the server) */
1911 *aState = mMachineState;
1912
1913 return S_OK;
1914}
1915
1916HRESULT Console::getGuest(ComPtr<IGuest> &aGuest)
1917{
1918 /* mGuest is constant during life time, no need to lock */
1919 mGuest.queryInterfaceTo(aGuest.asOutParam());
1920
1921 return S_OK;
1922}
1923
1924HRESULT Console::getKeyboard(ComPtr<IKeyboard> &aKeyboard)
1925{
1926 /* mKeyboard is constant during life time, no need to lock */
1927 mKeyboard.queryInterfaceTo(aKeyboard.asOutParam());
1928
1929 return S_OK;
1930}
1931
1932HRESULT Console::getMouse(ComPtr<IMouse> &aMouse)
1933{
1934 /* mMouse is constant during life time, no need to lock */
1935 mMouse.queryInterfaceTo(aMouse.asOutParam());
1936
1937 return S_OK;
1938}
1939
1940HRESULT Console::getDisplay(ComPtr<IDisplay> &aDisplay)
1941{
1942 /* mDisplay is constant during life time, no need to lock */
1943 mDisplay.queryInterfaceTo(aDisplay.asOutParam());
1944
1945 return S_OK;
1946}
1947
1948HRESULT Console::getDebugger(ComPtr<IMachineDebugger> &aDebugger)
1949{
1950 /* we need a write lock because of the lazy mDebugger initialization*/
1951 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
1952
1953 /* check if we have to create the debugger object */
1954 if (!mDebugger)
1955 {
1956 unconst(mDebugger).createObject();
1957 mDebugger->init(this);
1958 }
1959
1960 mDebugger.queryInterfaceTo(aDebugger.asOutParam());
1961
1962 return S_OK;
1963}
1964
1965HRESULT Console::getUSBDevices(std::vector<ComPtr<IUSBDevice> > &aUSBDevices)
1966{
1967 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1968
1969 size_t i = 0;
1970 aUSBDevices.resize(mUSBDevices.size());
1971 for (USBDeviceList::const_iterator it = mUSBDevices.begin(); it != mUSBDevices.end(); ++i, ++it)
1972 (*it).queryInterfaceTo(aUSBDevices[i].asOutParam());
1973
1974 return S_OK;
1975}
1976
1977
1978HRESULT Console::getRemoteUSBDevices(std::vector<ComPtr<IHostUSBDevice> > &aRemoteUSBDevices)
1979{
1980 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
1981
1982 size_t i = 0;
1983 aRemoteUSBDevices.resize(mRemoteUSBDevices.size());
1984 for (RemoteUSBDeviceList::const_iterator it = mRemoteUSBDevices.begin(); it != mRemoteUSBDevices.end(); ++i, ++it)
1985 (*it).queryInterfaceTo(aRemoteUSBDevices[i].asOutParam());
1986
1987 return S_OK;
1988}
1989
1990HRESULT Console::getVRDEServerInfo(ComPtr<IVRDEServerInfo> &aVRDEServerInfo)
1991{
1992 /* mVRDEServerInfo is constant during life time, no need to lock */
1993 mVRDEServerInfo.queryInterfaceTo(aVRDEServerInfo.asOutParam());
1994
1995 return S_OK;
1996}
1997
1998HRESULT Console::getEmulatedUSB(ComPtr<IEmulatedUSB> &aEmulatedUSB)
1999{
2000 /* mEmulatedUSB is constant during life time, no need to lock */
2001 mEmulatedUSB.queryInterfaceTo(aEmulatedUSB.asOutParam());
2002
2003 return S_OK;
2004}
2005
2006HRESULT Console::getSharedFolders(std::vector<ComPtr<ISharedFolder> > &aSharedFolders)
2007{
2008 /* loadDataFromSavedState() needs a write lock */
2009 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2010
2011 /* Read console data stored in the saved state file (if not yet done) */
2012 HRESULT rc = i_loadDataFromSavedState();
2013 if (FAILED(rc)) return rc;
2014
2015 size_t i = 0;
2016 aSharedFolders.resize(m_mapSharedFolders.size());
2017 for (SharedFolderMap::const_iterator it = m_mapSharedFolders.begin(); it != m_mapSharedFolders.end(); ++i, ++it)
2018 (it)->second.queryInterfaceTo(aSharedFolders[i].asOutParam());
2019
2020 return S_OK;
2021}
2022
2023HRESULT Console::getEventSource(ComPtr<IEventSource> &aEventSource)
2024{
2025 // no need to lock - lifetime constant
2026 mEventSource.queryInterfaceTo(aEventSource.asOutParam());
2027
2028 return S_OK;
2029}
2030
2031HRESULT Console::getAttachedPCIDevices(std::vector<ComPtr<IPCIDeviceAttachment> > &aAttachedPCIDevices)
2032{
2033 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2034
2035 if (mBusMgr)
2036 {
2037 std::vector<BusAssignmentManager::PCIDeviceInfo> devInfos;
2038 mBusMgr->listAttachedPCIDevices(devInfos);
2039 ComObjPtr<PCIDeviceAttachment> dev;
2040 aAttachedPCIDevices.resize(devInfos.size());
2041 for (size_t i = 0; i < devInfos.size(); i++)
2042 {
2043 const BusAssignmentManager::PCIDeviceInfo &devInfo = devInfos[i];
2044 dev.createObject();
2045 dev->init(NULL, devInfo.strDeviceName,
2046 devInfo.hostAddress.valid() ? devInfo.hostAddress.asLong() : -1,
2047 devInfo.guestAddress.asLong(),
2048 devInfo.hostAddress.valid());
2049 dev.queryInterfaceTo(aAttachedPCIDevices[i].asOutParam());
2050 }
2051 }
2052 else
2053 aAttachedPCIDevices.resize(0);
2054
2055 return S_OK;
2056}
2057
2058HRESULT Console::getUseHostClipboard(BOOL *aUseHostClipboard)
2059{
2060 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
2061
2062 *aUseHostClipboard = mfUseHostClipboard;
2063
2064 return S_OK;
2065}
2066
2067HRESULT Console::setUseHostClipboard(BOOL aUseHostClipboard)
2068{
2069 mfUseHostClipboard = !!aUseHostClipboard;
2070
2071 return S_OK;
2072}
2073
2074// IConsole methods
2075/////////////////////////////////////////////////////////////////////////////
2076
2077HRESULT Console::powerUp(ComPtr<IProgress> &aProgress)
2078{
2079 return i_powerUp(aProgress.asOutParam(), false /* aPaused */);
2080}
2081
2082HRESULT Console::powerUpPaused(ComPtr<IProgress> &aProgress)
2083{
2084 return i_powerUp(aProgress.asOutParam(), true /* aPaused */);
2085}
2086
2087HRESULT Console::powerDown(ComPtr<IProgress> &aProgress)
2088{
2089 LogFlowThisFuncEnter();
2090
2091 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2092
2093 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
2094 switch (mMachineState)
2095 {
2096 case MachineState_Running:
2097 case MachineState_Paused:
2098 case MachineState_Stuck:
2099 break;
2100
2101 /* Try cancel the save state. */
2102 case MachineState_Saving:
2103 if (!mptrCancelableProgress.isNull())
2104 {
2105 HRESULT hrc = mptrCancelableProgress->Cancel();
2106 if (SUCCEEDED(hrc))
2107 break;
2108 }
2109 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down at this point during a save state"));
2110
2111 /* Try cancel the teleportation. */
2112 case MachineState_Teleporting:
2113 case MachineState_TeleportingPausedVM:
2114 if (!mptrCancelableProgress.isNull())
2115 {
2116 HRESULT hrc = mptrCancelableProgress->Cancel();
2117 if (SUCCEEDED(hrc))
2118 break;
2119 }
2120 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down at this point in a teleportation"));
2121
2122 /* Try cancel the online snapshot. */
2123 case MachineState_OnlineSnapshotting:
2124 if (!mptrCancelableProgress.isNull())
2125 {
2126 HRESULT hrc = mptrCancelableProgress->Cancel();
2127 if (SUCCEEDED(hrc))
2128 break;
2129 }
2130 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down at this point in an online snapshot"));
2131
2132 /* Try cancel the live snapshot. */
2133 case MachineState_LiveSnapshotting:
2134 if (!mptrCancelableProgress.isNull())
2135 {
2136 HRESULT hrc = mptrCancelableProgress->Cancel();
2137 if (SUCCEEDED(hrc))
2138 break;
2139 }
2140 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down at this point in a live snapshot"));
2141
2142 /* Try cancel the FT sync. */
2143 case MachineState_FaultTolerantSyncing:
2144 if (!mptrCancelableProgress.isNull())
2145 {
2146 HRESULT hrc = mptrCancelableProgress->Cancel();
2147 if (SUCCEEDED(hrc))
2148 break;
2149 }
2150 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down at this point in a fault tolerant sync"));
2151
2152 /* extra nice error message for a common case */
2153 case MachineState_Saved:
2154 return setError(VBOX_E_INVALID_VM_STATE, tr("Cannot power down a saved virtual machine"));
2155 case MachineState_Stopping:
2156 return setError(VBOX_E_INVALID_VM_STATE, tr("The virtual machine is being powered down"));
2157 default:
2158 return setError(VBOX_E_INVALID_VM_STATE,
2159 tr("Invalid machine state: %s (must be Running, Paused or Stuck)"),
2160 Global::stringifyMachineState(mMachineState));
2161 }
2162 LogFlowThisFunc(("Initiating SHUTDOWN request...\n"));
2163
2164 /* memorize the current machine state */
2165 MachineState_T lastMachineState = mMachineState;
2166
2167 HRESULT rc = S_OK;
2168 bool fBeganPowerDown = false;
2169 VMPowerDownTask* task = NULL;
2170
2171 do
2172 {
2173 ComPtr<IProgress> pProgress;
2174
2175#ifdef VBOX_WITH_GUEST_PROPS
2176 alock.release();
2177
2178 if (i_isResetTurnedIntoPowerOff())
2179 {
2180 mMachine->DeleteGuestProperty(Bstr("/VirtualBox/HostInfo/VMPowerOffReason").raw());
2181 mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/VMPowerOffReason").raw(),
2182 Bstr("PowerOff").raw(), Bstr("RDONLYGUEST").raw());
2183 mMachine->SaveSettings();
2184 }
2185
2186 alock.acquire();
2187#endif
2188
2189 /*
2190 * request a progress object from the server
2191 * (this will set the machine state to Stopping on the server to block
2192 * others from accessing this machine)
2193 */
2194 rc = mControl->BeginPoweringDown(pProgress.asOutParam());
2195 if (FAILED(rc))
2196 break;
2197
2198 fBeganPowerDown = true;
2199
2200 /* sync the state with the server */
2201 i_setMachineStateLocally(MachineState_Stopping);
2202 try
2203 {
2204 task = new VMPowerDownTask(this, pProgress);
2205 if (!task->isOk())
2206 {
2207 throw E_FAIL;
2208 }
2209 }
2210 catch(...)
2211 {
2212 delete task;
2213 rc = setError(E_FAIL, "Could not create VMPowerDownTask object \n");
2214 break;
2215 }
2216
2217 rc = task->createThread();
2218
2219 /* pass the progress to the caller */
2220 pProgress.queryInterfaceTo(aProgress.asOutParam());
2221 }
2222 while (0);
2223
2224 if (FAILED(rc))
2225 {
2226 /* preserve existing error info */
2227 ErrorInfoKeeper eik;
2228
2229 if (fBeganPowerDown)
2230 {
2231 /*
2232 * cancel the requested power down procedure.
2233 * This will reset the machine state to the state it had right
2234 * before calling mControl->BeginPoweringDown().
2235 */
2236 mControl->EndPoweringDown(eik.getResultCode(), eik.getText().raw()); }
2237
2238 i_setMachineStateLocally(lastMachineState);
2239 }
2240
2241 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2242 LogFlowThisFuncLeave();
2243
2244 return rc;
2245}
2246
2247HRESULT Console::reset()
2248{
2249 LogFlowThisFuncEnter();
2250
2251 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2252
2253 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
2254 if ( mMachineState != MachineState_Running
2255 && mMachineState != MachineState_Teleporting
2256 && mMachineState != MachineState_LiveSnapshotting
2257 /** @todo r=bird: This should be allowed on paused VMs as well. Later. */
2258 )
2259 return i_setInvalidMachineStateError();
2260
2261 /* protect mpUVM */
2262 SafeVMPtr ptrVM(this);
2263 if (!ptrVM.isOk())
2264 return ptrVM.rc();
2265
2266 /* release the lock before a VMR3* call (EMT might wait for it, @bugref{7648})! */
2267 alock.release();
2268
2269 int vrc = VMR3Reset(ptrVM.rawUVM());
2270
2271 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
2272 setError(VBOX_E_VM_ERROR,
2273 tr("Could not reset the machine (%Rrc)"),
2274 vrc);
2275
2276 LogFlowThisFunc(("mMachineState=%d, rc=%Rhrc\n", mMachineState, rc));
2277 LogFlowThisFuncLeave();
2278 return rc;
2279}
2280
2281/*static*/ DECLCALLBACK(int) Console::i_unplugCpu(Console *pThis, PUVM pUVM, VMCPUID idCpu)
2282{
2283 LogFlowFunc(("pThis=%p pVM=%p idCpu=%u\n", pThis, pUVM, idCpu));
2284
2285 AssertReturn(pThis, VERR_INVALID_PARAMETER);
2286
2287 int vrc = PDMR3DeviceDetach(pUVM, "acpi", 0, idCpu, 0);
2288 Log(("UnplugCpu: rc=%Rrc\n", vrc));
2289
2290 return vrc;
2291}
2292
2293HRESULT Console::i_doCPURemove(ULONG aCpu, PUVM pUVM)
2294{
2295 HRESULT rc = S_OK;
2296
2297 LogFlowThisFuncEnter();
2298
2299 AutoCaller autoCaller(this);
2300 if (FAILED(autoCaller.rc())) return autoCaller.rc();
2301
2302 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2303
2304 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
2305 AssertReturn(m_pVMMDev, E_FAIL);
2306 PPDMIVMMDEVPORT pVmmDevPort = m_pVMMDev->getVMMDevPort();
2307 AssertReturn(pVmmDevPort, E_FAIL);
2308
2309 if ( mMachineState != MachineState_Running
2310 && mMachineState != MachineState_Teleporting
2311 && mMachineState != MachineState_LiveSnapshotting
2312 )
2313 return i_setInvalidMachineStateError();
2314
2315 /* Check if the CPU is present */
2316 BOOL fCpuAttached;
2317 rc = mMachine->GetCPUStatus(aCpu, &fCpuAttached);
2318 if (FAILED(rc))
2319 return rc;
2320 if (!fCpuAttached)
2321 return setError(E_FAIL, tr("CPU %d is not attached"), aCpu);
2322
2323 /* Leave the lock before any EMT/VMMDev call. */
2324 alock.release();
2325 bool fLocked = true;
2326
2327 /* Check if the CPU is unlocked */
2328 PPDMIBASE pBase;
2329 int vrc = PDMR3QueryDeviceLun(pUVM, "acpi", 0, aCpu, &pBase);
2330 if (RT_SUCCESS(vrc))
2331 {
2332 Assert(pBase);
2333 PPDMIACPIPORT pApicPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
2334
2335 /* Notify the guest if possible. */
2336 uint32_t idCpuCore, idCpuPackage;
2337 vrc = VMR3GetCpuCoreAndPackageIdFromCpuId(pUVM, aCpu, &idCpuCore, &idCpuPackage); AssertRC(vrc);
2338 if (RT_SUCCESS(vrc))
2339 vrc = pVmmDevPort->pfnCpuHotUnplug(pVmmDevPort, idCpuCore, idCpuPackage);
2340 if (RT_SUCCESS(vrc))
2341 {
2342 unsigned cTries = 100;
2343 do
2344 {
2345 /* It will take some time until the event is processed in the guest. Wait... */
2346 vrc = pApicPort ? pApicPort->pfnGetCpuStatus(pApicPort, aCpu, &fLocked) : VERR_INVALID_POINTER;
2347 if (RT_SUCCESS(vrc) && !fLocked)
2348 break;
2349
2350 /* Sleep a bit */
2351 RTThreadSleep(100);
2352 } while (cTries-- > 0);
2353 }
2354 else if (vrc == VERR_VMMDEV_CPU_HOTPLUG_NOT_MONITORED_BY_GUEST)
2355 {
2356 /* Query one time. It is possible that the user ejected the CPU. */
2357 vrc = pApicPort ? pApicPort->pfnGetCpuStatus(pApicPort, aCpu, &fLocked) : VERR_INVALID_POINTER;
2358 }
2359 }
2360
2361 /* If the CPU was unlocked we can detach it now. */
2362 if (RT_SUCCESS(vrc) && !fLocked)
2363 {
2364 /*
2365 * Call worker in EMT, that's faster and safer than doing everything
2366 * using VMR3ReqCall.
2367 */
2368 PVMREQ pReq;
2369 vrc = VMR3ReqCallU(pUVM, 0, &pReq, 0 /* no wait! */, VMREQFLAGS_VBOX_STATUS,
2370 (PFNRT)i_unplugCpu, 3,
2371 this, pUVM, (VMCPUID)aCpu);
2372
2373 if (vrc == VERR_TIMEOUT)
2374 vrc = VMR3ReqWait(pReq, RT_INDEFINITE_WAIT);
2375 AssertRC(vrc);
2376 if (RT_SUCCESS(vrc))
2377 vrc = pReq->iStatus;
2378 VMR3ReqFree(pReq);
2379
2380 if (RT_SUCCESS(vrc))
2381 {
2382 /* Detach it from the VM */
2383 vrc = VMR3HotUnplugCpu(pUVM, aCpu);
2384 AssertRC(vrc);
2385 }
2386 else
2387 rc = setError(VBOX_E_VM_ERROR,
2388 tr("Hot-Remove failed (rc=%Rrc)"), vrc);
2389 }
2390 else
2391 rc = setError(VBOX_E_VM_ERROR,
2392 tr("Hot-Remove was aborted because the CPU may still be used by the guest"), VERR_RESOURCE_BUSY);
2393
2394 LogFlowThisFunc(("mMachineState=%d, rc=%Rhrc\n", mMachineState, rc));
2395 LogFlowThisFuncLeave();
2396 return rc;
2397}
2398
2399/*static*/ DECLCALLBACK(int) Console::i_plugCpu(Console *pThis, PUVM pUVM, VMCPUID idCpu)
2400{
2401 LogFlowFunc(("pThis=%p uCpu=%u\n", pThis, idCpu));
2402
2403 AssertReturn(pThis, VERR_INVALID_PARAMETER);
2404
2405 int rc = VMR3HotPlugCpu(pUVM, idCpu);
2406 AssertRC(rc);
2407
2408 PCFGMNODE pInst = CFGMR3GetChild(CFGMR3GetRootU(pUVM), "Devices/acpi/0/");
2409 AssertRelease(pInst);
2410 /* nuke anything which might have been left behind. */
2411 CFGMR3RemoveNode(CFGMR3GetChildF(pInst, "LUN#%u", idCpu));
2412
2413#define RC_CHECK() do { if (RT_FAILURE(rc)) { AssertReleaseRC(rc); break; } } while (0)
2414
2415 PCFGMNODE pLunL0;
2416 PCFGMNODE pCfg;
2417 rc = CFGMR3InsertNodeF(pInst, &pLunL0, "LUN#%u", idCpu); RC_CHECK();
2418 rc = CFGMR3InsertString(pLunL0, "Driver", "ACPICpu"); RC_CHECK();
2419 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
2420
2421 /*
2422 * Attach the driver.
2423 */
2424 PPDMIBASE pBase;
2425 rc = PDMR3DeviceAttach(pUVM, "acpi", 0, idCpu, 0, &pBase); RC_CHECK();
2426
2427 Log(("PlugCpu: rc=%Rrc\n", rc));
2428
2429 CFGMR3Dump(pInst);
2430
2431#undef RC_CHECK
2432
2433 return VINF_SUCCESS;
2434}
2435
2436HRESULT Console::i_doCPUAdd(ULONG aCpu, PUVM pUVM)
2437{
2438 HRESULT rc = S_OK;
2439
2440 LogFlowThisFuncEnter();
2441
2442 AutoCaller autoCaller(this);
2443 if (FAILED(autoCaller.rc())) return autoCaller.rc();
2444
2445 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2446
2447 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
2448 if ( mMachineState != MachineState_Running
2449 && mMachineState != MachineState_Teleporting
2450 && mMachineState != MachineState_LiveSnapshotting
2451 /** @todo r=bird: This should be allowed on paused VMs as well. Later. */
2452 )
2453 return i_setInvalidMachineStateError();
2454
2455 AssertReturn(m_pVMMDev, E_FAIL);
2456 PPDMIVMMDEVPORT pDevPort = m_pVMMDev->getVMMDevPort();
2457 AssertReturn(pDevPort, E_FAIL);
2458
2459 /* Check if the CPU is present */
2460 BOOL fCpuAttached;
2461 rc = mMachine->GetCPUStatus(aCpu, &fCpuAttached);
2462 if (FAILED(rc)) return rc;
2463
2464 if (fCpuAttached)
2465 return setError(E_FAIL,
2466 tr("CPU %d is already attached"), aCpu);
2467
2468 /*
2469 * Call worker in EMT, that's faster and safer than doing everything
2470 * using VMR3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
2471 * here to make requests from under the lock in order to serialize them.
2472 */
2473 PVMREQ pReq;
2474 int vrc = VMR3ReqCallU(pUVM, 0, &pReq, 0 /* no wait! */, VMREQFLAGS_VBOX_STATUS,
2475 (PFNRT)i_plugCpu, 3,
2476 this, pUVM, aCpu);
2477
2478 /* release the lock before a VMR3* call (EMT might wait for it, @bugref{7648})! */
2479 alock.release();
2480
2481 if (vrc == VERR_TIMEOUT)
2482 vrc = VMR3ReqWait(pReq, RT_INDEFINITE_WAIT);
2483 AssertRC(vrc);
2484 if (RT_SUCCESS(vrc))
2485 vrc = pReq->iStatus;
2486 VMR3ReqFree(pReq);
2487
2488 if (RT_SUCCESS(vrc))
2489 {
2490 /* Notify the guest if possible. */
2491 uint32_t idCpuCore, idCpuPackage;
2492 vrc = VMR3GetCpuCoreAndPackageIdFromCpuId(pUVM, aCpu, &idCpuCore, &idCpuPackage); AssertRC(vrc);
2493 if (RT_SUCCESS(vrc))
2494 vrc = pDevPort->pfnCpuHotPlug(pDevPort, idCpuCore, idCpuPackage);
2495 /** @todo warning if the guest doesn't support it */
2496 }
2497 else
2498 rc = setError(VBOX_E_VM_ERROR,
2499 tr("Could not add CPU to the machine (%Rrc)"),
2500 vrc);
2501
2502 LogFlowThisFunc(("mMachineState=%d, rc=%Rhrc\n", mMachineState, rc));
2503 LogFlowThisFuncLeave();
2504 return rc;
2505}
2506
2507HRESULT Console::pause()
2508{
2509 LogFlowThisFuncEnter();
2510
2511 HRESULT rc = i_pause(Reason_Unspecified);
2512
2513 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2514 LogFlowThisFuncLeave();
2515 return rc;
2516}
2517
2518HRESULT Console::resume()
2519{
2520 LogFlowThisFuncEnter();
2521
2522 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2523
2524 if (mMachineState != MachineState_Paused)
2525 return setError(VBOX_E_INVALID_VM_STATE,
2526 tr("Cannot resume the machine as it is not paused (machine state: %s)"),
2527 Global::stringifyMachineState(mMachineState));
2528
2529 HRESULT rc = i_resume(Reason_Unspecified, alock);
2530
2531 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2532 LogFlowThisFuncLeave();
2533 return rc;
2534}
2535
2536HRESULT Console::powerButton()
2537{
2538 LogFlowThisFuncEnter();
2539
2540 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2541
2542 if ( mMachineState != MachineState_Running
2543 && mMachineState != MachineState_Teleporting
2544 && mMachineState != MachineState_LiveSnapshotting
2545 )
2546 return i_setInvalidMachineStateError();
2547
2548 /* get the VM handle. */
2549 SafeVMPtr ptrVM(this);
2550 if (!ptrVM.isOk())
2551 return ptrVM.rc();
2552
2553 // no need to release lock, as there are no cross-thread callbacks
2554
2555 /* get the acpi device interface and press the button. */
2556 PPDMIBASE pBase;
2557 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), "acpi", 0, 0, &pBase);
2558 if (RT_SUCCESS(vrc))
2559 {
2560 Assert(pBase);
2561 PPDMIACPIPORT pPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
2562 if (pPort)
2563 vrc = pPort->pfnPowerButtonPress(pPort);
2564 else
2565 vrc = VERR_PDM_MISSING_INTERFACE;
2566 }
2567
2568 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
2569 setError(VBOX_E_PDM_ERROR,
2570 tr("Controlled power off failed (%Rrc)"),
2571 vrc);
2572
2573 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2574 LogFlowThisFuncLeave();
2575 return rc;
2576}
2577
2578HRESULT Console::getPowerButtonHandled(BOOL *aHandled)
2579{
2580 LogFlowThisFuncEnter();
2581
2582 *aHandled = FALSE;
2583
2584 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2585
2586 if ( mMachineState != MachineState_Running
2587 && mMachineState != MachineState_Teleporting
2588 && mMachineState != MachineState_LiveSnapshotting
2589 )
2590 return i_setInvalidMachineStateError();
2591
2592 /* get the VM handle. */
2593 SafeVMPtr ptrVM(this);
2594 if (!ptrVM.isOk())
2595 return ptrVM.rc();
2596
2597 // no need to release lock, as there are no cross-thread callbacks
2598
2599 /* get the acpi device interface and check if the button press was handled. */
2600 PPDMIBASE pBase;
2601 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), "acpi", 0, 0, &pBase);
2602 if (RT_SUCCESS(vrc))
2603 {
2604 Assert(pBase);
2605 PPDMIACPIPORT pPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
2606 if (pPort)
2607 {
2608 bool fHandled = false;
2609 vrc = pPort->pfnGetPowerButtonHandled(pPort, &fHandled);
2610 if (RT_SUCCESS(vrc))
2611 *aHandled = fHandled;
2612 }
2613 else
2614 vrc = VERR_PDM_MISSING_INTERFACE;
2615 }
2616
2617 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
2618 setError(VBOX_E_PDM_ERROR,
2619 tr("Checking if the ACPI Power Button event was handled by the guest OS failed (%Rrc)"),
2620 vrc);
2621
2622 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2623 LogFlowThisFuncLeave();
2624 return rc;
2625}
2626
2627HRESULT Console::getGuestEnteredACPIMode(BOOL *aEntered)
2628{
2629 LogFlowThisFuncEnter();
2630
2631 *aEntered = FALSE;
2632
2633 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2634
2635 if ( mMachineState != MachineState_Running
2636 && mMachineState != MachineState_Teleporting
2637 && mMachineState != MachineState_LiveSnapshotting
2638 )
2639 return setError(VBOX_E_INVALID_VM_STATE,
2640 tr("Invalid machine state %s when checking if the guest entered the ACPI mode)"),
2641 Global::stringifyMachineState(mMachineState));
2642
2643 /* get the VM handle. */
2644 SafeVMPtr ptrVM(this);
2645 if (!ptrVM.isOk())
2646 return ptrVM.rc();
2647
2648 // no need to release lock, as there are no cross-thread callbacks
2649
2650 /* get the acpi device interface and query the information. */
2651 PPDMIBASE pBase;
2652 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), "acpi", 0, 0, &pBase);
2653 if (RT_SUCCESS(vrc))
2654 {
2655 Assert(pBase);
2656 PPDMIACPIPORT pPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
2657 if (pPort)
2658 {
2659 bool fEntered = false;
2660 vrc = pPort->pfnGetGuestEnteredACPIMode(pPort, &fEntered);
2661 if (RT_SUCCESS(vrc))
2662 *aEntered = fEntered;
2663 }
2664 else
2665 vrc = VERR_PDM_MISSING_INTERFACE;
2666 }
2667
2668 LogFlowThisFuncLeave();
2669 return S_OK;
2670}
2671
2672HRESULT Console::sleepButton()
2673{
2674 LogFlowThisFuncEnter();
2675
2676 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2677
2678 if ( mMachineState != MachineState_Running
2679 && mMachineState != MachineState_Teleporting
2680 && mMachineState != MachineState_LiveSnapshotting)
2681 return i_setInvalidMachineStateError();
2682
2683 /* get the VM handle. */
2684 SafeVMPtr ptrVM(this);
2685 if (!ptrVM.isOk())
2686 return ptrVM.rc();
2687
2688 // no need to release lock, as there are no cross-thread callbacks
2689
2690 /* get the acpi device interface and press the sleep button. */
2691 PPDMIBASE pBase;
2692 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), "acpi", 0, 0, &pBase);
2693 if (RT_SUCCESS(vrc))
2694 {
2695 Assert(pBase);
2696 PPDMIACPIPORT pPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
2697 if (pPort)
2698 vrc = pPort->pfnSleepButtonPress(pPort);
2699 else
2700 vrc = VERR_PDM_MISSING_INTERFACE;
2701 }
2702
2703 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
2704 setError(VBOX_E_PDM_ERROR,
2705 tr("Sending sleep button event failed (%Rrc)"),
2706 vrc);
2707
2708 LogFlowThisFunc(("rc=%Rhrc\n", rc));
2709 LogFlowThisFuncLeave();
2710 return rc;
2711}
2712
2713/** read the value of a LED. */
2714inline uint32_t readAndClearLed(PPDMLED pLed)
2715{
2716 if (!pLed)
2717 return 0;
2718 uint32_t u32 = pLed->Actual.u32 | pLed->Asserted.u32;
2719 pLed->Asserted.u32 = 0;
2720 return u32;
2721}
2722
2723HRESULT Console::getDeviceActivity(const std::vector<DeviceType_T> &aType,
2724 std::vector<DeviceActivity_T> &aActivity)
2725{
2726 /*
2727 * Note: we don't lock the console object here because
2728 * readAndClearLed() should be thread safe.
2729 */
2730
2731 aActivity.resize(aType.size());
2732
2733 size_t iType;
2734 for (iType = 0; iType < aType.size(); ++iType)
2735 {
2736 /* Get LED array to read */
2737 PDMLEDCORE SumLed = {0};
2738 switch (aType[iType])
2739 {
2740 case DeviceType_Floppy:
2741 case DeviceType_DVD:
2742 case DeviceType_HardDisk:
2743 {
2744 for (unsigned i = 0; i < RT_ELEMENTS(mapStorageLeds); ++i)
2745 if (maStorageDevType[i] == aType[iType])
2746 SumLed.u32 |= readAndClearLed(mapStorageLeds[i]);
2747 break;
2748 }
2749
2750 case DeviceType_Network:
2751 {
2752 for (unsigned i = 0; i < RT_ELEMENTS(mapNetworkLeds); ++i)
2753 SumLed.u32 |= readAndClearLed(mapNetworkLeds[i]);
2754 break;
2755 }
2756
2757 case DeviceType_USB:
2758 {
2759 for (unsigned i = 0; i < RT_ELEMENTS(mapUSBLed); ++i)
2760 SumLed.u32 |= readAndClearLed(mapUSBLed[i]);
2761 break;
2762 }
2763
2764 case DeviceType_SharedFolder:
2765 {
2766 SumLed.u32 |= readAndClearLed(mapSharedFolderLed);
2767 break;
2768 }
2769
2770 case DeviceType_Graphics3D:
2771 {
2772 SumLed.u32 |= readAndClearLed(mapCrOglLed);
2773 break;
2774 }
2775
2776 default:
2777 return setError(E_INVALIDARG,
2778 tr("Invalid device type: %d"),
2779 aType[iType]);
2780 }
2781
2782 /* Compose the result */
2783 switch (SumLed.u32 & (PDMLED_READING | PDMLED_WRITING))
2784 {
2785 case 0:
2786 aActivity[iType] = DeviceActivity_Idle;
2787 break;
2788 case PDMLED_READING:
2789 aActivity[iType] = DeviceActivity_Reading;
2790 break;
2791 case PDMLED_WRITING:
2792 case PDMLED_READING | PDMLED_WRITING:
2793 aActivity[iType] = DeviceActivity_Writing;
2794 break;
2795 }
2796 }
2797
2798 return S_OK;
2799}
2800
2801HRESULT Console::attachUSBDevice(const com::Guid &aId, const com::Utf8Str &aCaptureFilename)
2802{
2803#ifdef VBOX_WITH_USB
2804 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2805
2806 if ( mMachineState != MachineState_Running
2807 && mMachineState != MachineState_Paused)
2808 return setError(VBOX_E_INVALID_VM_STATE,
2809 tr("Cannot attach a USB device to the machine which is not running or paused (machine state: %s)"),
2810 Global::stringifyMachineState(mMachineState));
2811
2812 /* Get the VM handle. */
2813 SafeVMPtr ptrVM(this);
2814 if (!ptrVM.isOk())
2815 return ptrVM.rc();
2816
2817 /* Don't proceed unless we have a USB controller. */
2818 if (!mfVMHasUsbController)
2819 return setError(VBOX_E_PDM_ERROR,
2820 tr("The virtual machine does not have a USB controller"));
2821
2822 /* release the lock because the USB Proxy service may call us back
2823 * (via onUSBDeviceAttach()) */
2824 alock.release();
2825
2826 /* Request the device capture */
2827 return mControl->CaptureUSBDevice(Bstr(aId.toString()).raw(), Bstr(aCaptureFilename).raw());
2828
2829#else /* !VBOX_WITH_USB */
2830 return setError(VBOX_E_PDM_ERROR,
2831 tr("The virtual machine does not have a USB controller"));
2832#endif /* !VBOX_WITH_USB */
2833}
2834
2835HRESULT Console::detachUSBDevice(const com::Guid &aId, ComPtr<IUSBDevice> &aDevice)
2836{
2837 RT_NOREF(aDevice);
2838#ifdef VBOX_WITH_USB
2839
2840 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2841
2842 /* Find it. */
2843 ComObjPtr<OUSBDevice> pUSBDevice;
2844 USBDeviceList::iterator it = mUSBDevices.begin();
2845 while (it != mUSBDevices.end())
2846 {
2847 if ((*it)->i_id() == aId)
2848 {
2849 pUSBDevice = *it;
2850 break;
2851 }
2852 ++it;
2853 }
2854
2855 if (!pUSBDevice)
2856 return setError(E_INVALIDARG,
2857 tr("USB device with UUID {%RTuuid} is not attached to this machine"),
2858 aId.raw());
2859
2860 /* Remove the device from the collection, it is re-added below for failures */
2861 mUSBDevices.erase(it);
2862
2863 /*
2864 * Inform the USB device and USB proxy about what's cooking.
2865 */
2866 alock.release();
2867 HRESULT rc = mControl->DetachUSBDevice(Bstr(aId.toString()).raw(), false /* aDone */);
2868 if (FAILED(rc))
2869 {
2870 /* Re-add the device to the collection */
2871 alock.acquire();
2872 mUSBDevices.push_back(pUSBDevice);
2873 return rc;
2874 }
2875
2876 /* Request the PDM to detach the USB device. */
2877 rc = i_detachUSBDevice(pUSBDevice);
2878 if (SUCCEEDED(rc))
2879 {
2880 /* Request the device release. Even if it fails, the device will
2881 * remain as held by proxy, which is OK for us (the VM process). */
2882 rc = mControl->DetachUSBDevice(Bstr(aId.toString()).raw(), true /* aDone */);
2883 }
2884 else
2885 {
2886 /* Re-add the device to the collection */
2887 alock.acquire();
2888 mUSBDevices.push_back(pUSBDevice);
2889 }
2890
2891 return rc;
2892
2893
2894#else /* !VBOX_WITH_USB */
2895 return setError(VBOX_E_PDM_ERROR,
2896 tr("The virtual machine does not have a USB controller"));
2897#endif /* !VBOX_WITH_USB */
2898}
2899
2900
2901HRESULT Console::findUSBDeviceByAddress(const com::Utf8Str &aName, ComPtr<IUSBDevice> &aDevice)
2902{
2903#ifdef VBOX_WITH_USB
2904
2905 aDevice = NULL;
2906
2907 SafeIfaceArray<IUSBDevice> devsvec;
2908 HRESULT rc = COMGETTER(USBDevices)(ComSafeArrayAsOutParam(devsvec));
2909 if (FAILED(rc)) return rc;
2910
2911 for (size_t i = 0; i < devsvec.size(); ++i)
2912 {
2913 Bstr address;
2914 rc = devsvec[i]->COMGETTER(Address)(address.asOutParam());
2915 if (FAILED(rc)) return rc;
2916 if (address == Bstr(aName))
2917 {
2918 ComObjPtr<OUSBDevice> pUSBDevice;
2919 pUSBDevice.createObject();
2920 pUSBDevice->init(devsvec[i]);
2921 return pUSBDevice.queryInterfaceTo(aDevice.asOutParam());
2922 }
2923 }
2924
2925 return setErrorNoLog(VBOX_E_OBJECT_NOT_FOUND,
2926 tr("Could not find a USB device with address '%s'"),
2927 aName.c_str());
2928
2929#else /* !VBOX_WITH_USB */
2930 return E_NOTIMPL;
2931#endif /* !VBOX_WITH_USB */
2932}
2933
2934HRESULT Console::findUSBDeviceById(const com::Guid &aId, ComPtr<IUSBDevice> &aDevice)
2935{
2936#ifdef VBOX_WITH_USB
2937
2938 aDevice = NULL;
2939
2940 SafeIfaceArray<IUSBDevice> devsvec;
2941 HRESULT rc = COMGETTER(USBDevices)(ComSafeArrayAsOutParam(devsvec));
2942 if (FAILED(rc)) return rc;
2943
2944 for (size_t i = 0; i < devsvec.size(); ++i)
2945 {
2946 Bstr id;
2947 rc = devsvec[i]->COMGETTER(Id)(id.asOutParam());
2948 if (FAILED(rc)) return rc;
2949 if (Utf8Str(id) == aId.toString())
2950 {
2951 ComObjPtr<OUSBDevice> pUSBDevice;
2952 pUSBDevice.createObject();
2953 pUSBDevice->init(devsvec[i]);
2954 ComObjPtr<IUSBDevice> iUSBDevice = static_cast <ComObjPtr<IUSBDevice> > (pUSBDevice);
2955 return iUSBDevice.queryInterfaceTo(aDevice.asOutParam());
2956 }
2957 }
2958
2959 return setErrorNoLog(VBOX_E_OBJECT_NOT_FOUND,
2960 tr("Could not find a USB device with uuid {%RTuuid}"),
2961 Guid(aId).raw());
2962
2963#else /* !VBOX_WITH_USB */
2964 return E_NOTIMPL;
2965#endif /* !VBOX_WITH_USB */
2966}
2967
2968HRESULT Console::createSharedFolder(const com::Utf8Str &aName, const com::Utf8Str &aHostPath, BOOL aWritable, BOOL aAutomount)
2969{
2970 LogFlowThisFunc(("Entering for '%s' -> '%s'\n", aName.c_str(), aHostPath.c_str()));
2971
2972 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
2973
2974 /// @todo see @todo in AttachUSBDevice() about the Paused state
2975 if (mMachineState == MachineState_Saved)
2976 return setError(VBOX_E_INVALID_VM_STATE,
2977 tr("Cannot create a transient shared folder on the machine in the saved state"));
2978 if ( mMachineState != MachineState_PoweredOff
2979 && mMachineState != MachineState_Teleported
2980 && mMachineState != MachineState_Aborted
2981 && mMachineState != MachineState_Running
2982 && mMachineState != MachineState_Paused
2983 )
2984 return setError(VBOX_E_INVALID_VM_STATE,
2985 tr("Cannot create a transient shared folder on the machine while it is changing the state (machine state: %s)"),
2986 Global::stringifyMachineState(mMachineState));
2987
2988 ComObjPtr<SharedFolder> pSharedFolder;
2989 HRESULT rc = i_findSharedFolder(aName, pSharedFolder, false /* aSetError */);
2990 if (SUCCEEDED(rc))
2991 return setError(VBOX_E_FILE_ERROR,
2992 tr("Shared folder named '%s' already exists"),
2993 aName.c_str());
2994
2995 pSharedFolder.createObject();
2996 rc = pSharedFolder->init(this,
2997 aName,
2998 aHostPath,
2999 !!aWritable,
3000 !!aAutomount,
3001 true /* fFailOnError */);
3002 if (FAILED(rc)) return rc;
3003
3004 /* If the VM is online and supports shared folders, share this folder
3005 * under the specified name. (Ignore any failure to obtain the VM handle.) */
3006 SafeVMPtrQuiet ptrVM(this);
3007 if ( ptrVM.isOk()
3008 && m_pVMMDev
3009 && m_pVMMDev->isShFlActive()
3010 )
3011 {
3012 /* first, remove the machine or the global folder if there is any */
3013 SharedFolderDataMap::const_iterator it;
3014 if (i_findOtherSharedFolder(aName, it))
3015 {
3016 rc = i_removeSharedFolder(aName);
3017 if (FAILED(rc))
3018 return rc;
3019 }
3020
3021 /* second, create the given folder */
3022 rc = i_createSharedFolder(aName, SharedFolderData(aHostPath, !!aWritable, !!aAutomount));
3023 if (FAILED(rc))
3024 return rc;
3025 }
3026
3027 m_mapSharedFolders.insert(std::make_pair(aName, pSharedFolder));
3028
3029 /* Notify console callbacks after the folder is added to the list. */
3030 alock.release();
3031 fireSharedFolderChangedEvent(mEventSource, Scope_Session);
3032
3033 LogFlowThisFunc(("Leaving for '%s' -> '%s'\n", aName.c_str(), aHostPath.c_str()));
3034
3035 return rc;
3036}
3037
3038HRESULT Console::removeSharedFolder(const com::Utf8Str &aName)
3039{
3040 LogFlowThisFunc(("Entering for '%s'\n", aName.c_str()));
3041
3042 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3043
3044 /// @todo see @todo in AttachUSBDevice() about the Paused state
3045 if (mMachineState == MachineState_Saved)
3046 return setError(VBOX_E_INVALID_VM_STATE,
3047 tr("Cannot remove a transient shared folder from the machine in the saved state"));
3048 if ( mMachineState != MachineState_PoweredOff
3049 && mMachineState != MachineState_Teleported
3050 && mMachineState != MachineState_Aborted
3051 && mMachineState != MachineState_Running
3052 && mMachineState != MachineState_Paused
3053 )
3054 return setError(VBOX_E_INVALID_VM_STATE,
3055 tr("Cannot remove a transient shared folder from the machine while it is changing the state (machine state: %s)"),
3056 Global::stringifyMachineState(mMachineState));
3057
3058 ComObjPtr<SharedFolder> pSharedFolder;
3059 HRESULT rc = i_findSharedFolder(aName, pSharedFolder, true /* aSetError */);
3060 if (FAILED(rc)) return rc;
3061
3062 /* protect the VM handle (if not NULL) */
3063 SafeVMPtrQuiet ptrVM(this);
3064 if ( ptrVM.isOk()
3065 && m_pVMMDev
3066 && m_pVMMDev->isShFlActive()
3067 )
3068 {
3069 /* if the VM is online and supports shared folders, UNshare this
3070 * folder. */
3071
3072 /* first, remove the given folder */
3073 rc = i_removeSharedFolder(aName);
3074 if (FAILED(rc)) return rc;
3075
3076 /* first, remove the machine or the global folder if there is any */
3077 SharedFolderDataMap::const_iterator it;
3078 if (i_findOtherSharedFolder(aName, it))
3079 {
3080 rc = i_createSharedFolder(aName, it->second);
3081 /* don't check rc here because we need to remove the console
3082 * folder from the collection even on failure */
3083 }
3084 }
3085
3086 m_mapSharedFolders.erase(aName);
3087
3088 /* Notify console callbacks after the folder is removed from the list. */
3089 alock.release();
3090 fireSharedFolderChangedEvent(mEventSource, Scope_Session);
3091
3092 LogFlowThisFunc(("Leaving for '%s'\n", aName.c_str()));
3093
3094 return rc;
3095}
3096
3097HRESULT Console::addDiskEncryptionPassword(const com::Utf8Str &aId, const com::Utf8Str &aPassword,
3098 BOOL aClearOnSuspend)
3099{
3100 if ( aId.isEmpty()
3101 || aPassword.isEmpty())
3102 return setError(E_FAIL, tr("The ID and password must be both valid"));
3103
3104 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3105
3106 HRESULT hrc = S_OK;
3107 size_t cbKey = aPassword.length() + 1; /* Include terminator */
3108 const uint8_t *pbKey = (const uint8_t *)aPassword.c_str();
3109
3110 int rc = m_pKeyStore->addSecretKey(aId, pbKey, cbKey);
3111 if (RT_SUCCESS(rc))
3112 {
3113 unsigned cDisksConfigured = 0;
3114
3115 hrc = i_configureEncryptionForDisk(aId, &cDisksConfigured);
3116 if (SUCCEEDED(hrc))
3117 {
3118 SecretKey *pKey = NULL;
3119 rc = m_pKeyStore->retainSecretKey(aId, &pKey);
3120 AssertRCReturn(rc, E_FAIL);
3121
3122 pKey->setUsers(cDisksConfigured);
3123 pKey->setRemoveOnSuspend(!!aClearOnSuspend);
3124 m_pKeyStore->releaseSecretKey(aId);
3125 m_cDisksPwProvided += cDisksConfigured;
3126
3127 if ( m_cDisksPwProvided == m_cDisksEncrypted
3128 && mMachineState == MachineState_Paused)
3129 {
3130 /* get the VM handle. */
3131 SafeVMPtr ptrVM(this);
3132 if (!ptrVM.isOk())
3133 return ptrVM.rc();
3134
3135 alock.release();
3136 int vrc = VMR3Resume(ptrVM.rawUVM(), VMRESUMEREASON_RECONFIG);
3137
3138 hrc = RT_SUCCESS(vrc) ? S_OK :
3139 setError(VBOX_E_VM_ERROR,
3140 tr("Could not resume the machine execution (%Rrc)"),
3141 vrc);
3142 }
3143 }
3144 }
3145 else if (rc == VERR_ALREADY_EXISTS)
3146 hrc = setError(VBOX_E_OBJECT_IN_USE, tr("A password with the given ID already exists"));
3147 else if (rc == VERR_NO_MEMORY)
3148 hrc = setError(E_FAIL, tr("Failed to allocate enough secure memory for the key"));
3149 else
3150 hrc = setError(E_FAIL, tr("Unknown error happened while adding a password (%Rrc)"), rc);
3151
3152 return hrc;
3153}
3154
3155HRESULT Console::addDiskEncryptionPasswords(const std::vector<com::Utf8Str> &aIds, const std::vector<com::Utf8Str> &aPasswords,
3156 BOOL aClearOnSuspend)
3157{
3158 HRESULT hrc = S_OK;
3159
3160 if ( !aIds.size()
3161 || !aPasswords.size())
3162 return setError(E_FAIL, tr("IDs and passwords must not be empty"));
3163
3164 if (aIds.size() != aPasswords.size())
3165 return setError(E_FAIL, tr("The number of entries in the id and password arguments must match"));
3166
3167 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3168
3169 /* Check that the IDs do not exist already before changing anything. */
3170 for (unsigned i = 0; i < aIds.size(); i++)
3171 {
3172 SecretKey *pKey = NULL;
3173 int rc = m_pKeyStore->retainSecretKey(aIds[i], &pKey);
3174 if (rc != VERR_NOT_FOUND)
3175 {
3176 AssertPtr(pKey);
3177 if (pKey)
3178 pKey->release();
3179 return setError(VBOX_E_OBJECT_IN_USE, tr("A password with the given ID already exists"));
3180 }
3181 }
3182
3183 for (unsigned i = 0; i < aIds.size(); i++)
3184 {
3185 hrc = addDiskEncryptionPassword(aIds[i], aPasswords[i], aClearOnSuspend);
3186 if (FAILED(hrc))
3187 {
3188 /*
3189 * Try to remove already successfully added passwords from the map to not
3190 * change the state of the Console object.
3191 */
3192 ErrorInfoKeeper eik; /* Keep current error info or it gets deestroyed in the IPC methods below. */
3193 for (unsigned ii = 0; ii < i; ii++)
3194 {
3195 i_clearDiskEncryptionKeysOnAllAttachmentsWithKeyId(aIds[ii]);
3196 removeDiskEncryptionPassword(aIds[ii]);
3197 }
3198
3199 break;
3200 }
3201 }
3202
3203 return hrc;
3204}
3205
3206HRESULT Console::removeDiskEncryptionPassword(const com::Utf8Str &aId)
3207{
3208 if (aId.isEmpty())
3209 return setError(E_FAIL, tr("The ID must be valid"));
3210
3211 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3212
3213 SecretKey *pKey = NULL;
3214 int rc = m_pKeyStore->retainSecretKey(aId, &pKey);
3215 if (RT_SUCCESS(rc))
3216 {
3217 m_cDisksPwProvided -= pKey->getUsers();
3218 m_pKeyStore->releaseSecretKey(aId);
3219 rc = m_pKeyStore->deleteSecretKey(aId);
3220 AssertRCReturn(rc, E_FAIL);
3221 }
3222 else if (rc == VERR_NOT_FOUND)
3223 return setError(VBOX_E_OBJECT_NOT_FOUND, tr("A password with the ID \"%s\" does not exist"),
3224 aId.c_str());
3225 else
3226 return setError(E_FAIL, tr("Failed to remove password with ID \"%s\" (%Rrc)"),
3227 aId.c_str(), rc);
3228
3229 return S_OK;
3230}
3231
3232HRESULT Console::clearAllDiskEncryptionPasswords()
3233{
3234 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3235
3236 int rc = m_pKeyStore->deleteAllSecretKeys(false /* fSuspend */, false /* fForce */);
3237 if (rc == VERR_RESOURCE_IN_USE)
3238 return setError(VBOX_E_OBJECT_IN_USE, tr("A password is still in use by the VM"));
3239 else if (RT_FAILURE(rc))
3240 return setError(E_FAIL, tr("Deleting all passwords failed (%Rrc)"));
3241
3242 m_cDisksPwProvided = 0;
3243 return S_OK;
3244}
3245
3246// Non-interface public methods
3247/////////////////////////////////////////////////////////////////////////////
3248
3249/*static*/
3250HRESULT Console::i_setErrorStatic(HRESULT aResultCode, const char *pcsz, ...)
3251{
3252 va_list args;
3253 va_start(args, pcsz);
3254 HRESULT rc = setErrorInternal(aResultCode,
3255 getStaticClassIID(),
3256 getStaticComponentName(),
3257 Utf8Str(pcsz, args),
3258 false /* aWarning */,
3259 true /* aLogIt */);
3260 va_end(args);
3261 return rc;
3262}
3263
3264HRESULT Console::i_setInvalidMachineStateError()
3265{
3266 return setError(VBOX_E_INVALID_VM_STATE,
3267 tr("Invalid machine state: %s"),
3268 Global::stringifyMachineState(mMachineState));
3269}
3270
3271
3272/* static */
3273const char *Console::i_convertControllerTypeToDev(StorageControllerType_T enmCtrlType)
3274{
3275 switch (enmCtrlType)
3276 {
3277 case StorageControllerType_LsiLogic:
3278 return "lsilogicscsi";
3279 case StorageControllerType_BusLogic:
3280 return "buslogic";
3281 case StorageControllerType_LsiLogicSas:
3282 return "lsilogicsas";
3283 case StorageControllerType_IntelAhci:
3284 return "ahci";
3285 case StorageControllerType_PIIX3:
3286 case StorageControllerType_PIIX4:
3287 case StorageControllerType_ICH6:
3288 return "piix3ide";
3289 case StorageControllerType_I82078:
3290 return "i82078";
3291 case StorageControllerType_USB:
3292 return "Msd";
3293 case StorageControllerType_NVMe:
3294 return "nvme";
3295 default:
3296 return NULL;
3297 }
3298}
3299
3300HRESULT Console::i_convertBusPortDeviceToLun(StorageBus_T enmBus, LONG port, LONG device, unsigned &uLun)
3301{
3302 switch (enmBus)
3303 {
3304 case StorageBus_IDE:
3305 case StorageBus_Floppy:
3306 {
3307 AssertMsgReturn(port < 2 && port >= 0, ("%d\n", port), E_INVALIDARG);
3308 AssertMsgReturn(device < 2 && device >= 0, ("%d\n", device), E_INVALIDARG);
3309 uLun = 2 * port + device;
3310 return S_OK;
3311 }
3312 case StorageBus_SATA:
3313 case StorageBus_SCSI:
3314 case StorageBus_SAS:
3315 case StorageBus_PCIe:
3316 {
3317 uLun = port;
3318 return S_OK;
3319 }
3320 case StorageBus_USB:
3321 {
3322 /*
3323 * It is always the first lun, the port denotes the device instance
3324 * for the Msd device.
3325 */
3326 uLun = 0;
3327 return S_OK;
3328 }
3329 default:
3330 uLun = 0;
3331 AssertMsgFailedReturn(("%d\n", enmBus), E_INVALIDARG);
3332 }
3333}
3334
3335// private methods
3336/////////////////////////////////////////////////////////////////////////////
3337
3338/**
3339 * Suspend the VM before we do any medium or network attachment change.
3340 *
3341 * @param pUVM Safe VM handle.
3342 * @param pAlock The automatic lock instance. This is for when we have
3343 * to leave it in order to avoid deadlocks.
3344 * @param pfResume where to store the information if we need to resume
3345 * afterwards.
3346 */
3347HRESULT Console::i_suspendBeforeConfigChange(PUVM pUVM, AutoWriteLock *pAlock, bool *pfResume)
3348{
3349 *pfResume = false;
3350 VMSTATE enmVMState = VMR3GetStateU(pUVM);
3351 switch (enmVMState)
3352 {
3353 case VMSTATE_RUNNING:
3354 case VMSTATE_RESETTING:
3355 case VMSTATE_SOFT_RESETTING:
3356 {
3357 LogFlowFunc(("Suspending the VM...\n"));
3358 /* disable the callback to prevent Console-level state change */
3359 mVMStateChangeCallbackDisabled = true;
3360 if (pAlock)
3361 pAlock->release();
3362 int rc = VMR3Suspend(pUVM, VMSUSPENDREASON_RECONFIG);
3363 if (pAlock)
3364 pAlock->acquire();
3365 mVMStateChangeCallbackDisabled = false;
3366 if (RT_FAILURE(rc))
3367 return setErrorInternal(VBOX_E_INVALID_VM_STATE,
3368 COM_IIDOF(IConsole),
3369 getStaticComponentName(),
3370 Utf8StrFmt("Could suspend VM for medium change (%Rrc)", rc),
3371 false /*aWarning*/,
3372 true /*aLogIt*/);
3373 *pfResume = true;
3374 break;
3375 }
3376 case VMSTATE_SUSPENDED:
3377 break;
3378 default:
3379 return setErrorInternal(VBOX_E_INVALID_VM_STATE,
3380 COM_IIDOF(IConsole),
3381 getStaticComponentName(),
3382 Utf8StrFmt("Invalid state '%s' for changing medium",
3383 VMR3GetStateName(enmVMState)),
3384 false /*aWarning*/,
3385 true /*aLogIt*/);
3386 }
3387
3388 return S_OK;
3389}
3390
3391/**
3392 * Resume the VM after we did any medium or network attachment change.
3393 * This is the counterpart to Console::suspendBeforeConfigChange().
3394 *
3395 * @param pUVM Safe VM handle.
3396 */
3397void Console::i_resumeAfterConfigChange(PUVM pUVM)
3398{
3399 LogFlowFunc(("Resuming the VM...\n"));
3400 /* disable the callback to prevent Console-level state change */
3401 mVMStateChangeCallbackDisabled = true;
3402 int rc = VMR3Resume(pUVM, VMRESUMEREASON_RECONFIG);
3403 mVMStateChangeCallbackDisabled = false;
3404 AssertRC(rc);
3405 if (RT_FAILURE(rc))
3406 {
3407 VMSTATE enmVMState = VMR3GetStateU(pUVM);
3408 if (enmVMState == VMSTATE_SUSPENDED)
3409 {
3410 /* too bad, we failed. try to sync the console state with the VMM state */
3411 i_vmstateChangeCallback(pUVM, VMSTATE_SUSPENDED, enmVMState, this);
3412 }
3413 }
3414}
3415
3416/**
3417 * Process a medium change.
3418 *
3419 * @param aMediumAttachment The medium attachment with the new medium state.
3420 * @param fForce Force medium chance, if it is locked or not.
3421 * @param pUVM Safe VM handle.
3422 *
3423 * @note Locks this object for writing.
3424 */
3425HRESULT Console::i_doMediumChange(IMediumAttachment *aMediumAttachment, bool fForce, PUVM pUVM)
3426{
3427 AutoCaller autoCaller(this);
3428 AssertComRCReturnRC(autoCaller.rc());
3429
3430 /* We will need to release the write lock before calling EMT */
3431 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3432
3433 HRESULT rc = S_OK;
3434 const char *pszDevice = NULL;
3435
3436 SafeIfaceArray<IStorageController> ctrls;
3437 rc = mMachine->COMGETTER(StorageControllers)(ComSafeArrayAsOutParam(ctrls));
3438 AssertComRC(rc);
3439 IMedium *pMedium;
3440 rc = aMediumAttachment->COMGETTER(Medium)(&pMedium);
3441 AssertComRC(rc);
3442 Bstr mediumLocation;
3443 if (pMedium)
3444 {
3445 rc = pMedium->COMGETTER(Location)(mediumLocation.asOutParam());
3446 AssertComRC(rc);
3447 }
3448
3449 Bstr attCtrlName;
3450 rc = aMediumAttachment->COMGETTER(Controller)(attCtrlName.asOutParam());
3451 AssertComRC(rc);
3452 ComPtr<IStorageController> pStorageController;
3453 for (size_t i = 0; i < ctrls.size(); ++i)
3454 {
3455 Bstr ctrlName;
3456 rc = ctrls[i]->COMGETTER(Name)(ctrlName.asOutParam());
3457 AssertComRC(rc);
3458 if (attCtrlName == ctrlName)
3459 {
3460 pStorageController = ctrls[i];
3461 break;
3462 }
3463 }
3464 if (pStorageController.isNull())
3465 return setError(E_FAIL,
3466 tr("Could not find storage controller '%ls'"), attCtrlName.raw());
3467
3468 StorageControllerType_T enmCtrlType;
3469 rc = pStorageController->COMGETTER(ControllerType)(&enmCtrlType);
3470 AssertComRC(rc);
3471 pszDevice = i_convertControllerTypeToDev(enmCtrlType);
3472
3473 StorageBus_T enmBus;
3474 rc = pStorageController->COMGETTER(Bus)(&enmBus);
3475 AssertComRC(rc);
3476 ULONG uInstance;
3477 rc = pStorageController->COMGETTER(Instance)(&uInstance);
3478 AssertComRC(rc);
3479 BOOL fUseHostIOCache;
3480 rc = pStorageController->COMGETTER(UseHostIOCache)(&fUseHostIOCache);
3481 AssertComRC(rc);
3482
3483 /*
3484 * Suspend the VM first. The VM must not be running since it might have
3485 * pending I/O to the drive which is being changed.
3486 */
3487 bool fResume = false;
3488 rc = i_suspendBeforeConfigChange(pUVM, &alock, &fResume);
3489 if (FAILED(rc))
3490 return rc;
3491
3492 /*
3493 * Call worker in EMT, that's faster and safer than doing everything
3494 * using VMR3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
3495 * here to make requests from under the lock in order to serialize them.
3496 */
3497 PVMREQ pReq;
3498 int vrc = VMR3ReqCallU(pUVM, VMCPUID_ANY, &pReq, 0 /* no wait! */, VMREQFLAGS_VBOX_STATUS,
3499 (PFNRT)i_changeRemovableMedium, 8,
3500 this, pUVM, pszDevice, uInstance, enmBus, fUseHostIOCache, aMediumAttachment, fForce);
3501
3502 /* release the lock before waiting for a result (EMT might wait for it, @bugref{7648})! */
3503 alock.release();
3504
3505 if (vrc == VERR_TIMEOUT)
3506 vrc = VMR3ReqWait(pReq, RT_INDEFINITE_WAIT);
3507 AssertRC(vrc);
3508 if (RT_SUCCESS(vrc))
3509 vrc = pReq->iStatus;
3510 VMR3ReqFree(pReq);
3511
3512 if (fResume)
3513 i_resumeAfterConfigChange(pUVM);
3514
3515 if (RT_SUCCESS(vrc))
3516 {
3517 LogFlowThisFunc(("Returns S_OK\n"));
3518 return S_OK;
3519 }
3520
3521 if (pMedium)
3522 return setError(E_FAIL,
3523 tr("Could not mount the media/drive '%ls' (%Rrc)"),
3524 mediumLocation.raw(), vrc);
3525
3526 return setError(E_FAIL,
3527 tr("Could not unmount the currently mounted media/drive (%Rrc)"),
3528 vrc);
3529}
3530
3531/**
3532 * Performs the medium change in EMT.
3533 *
3534 * @returns VBox status code.
3535 *
3536 * @param pThis Pointer to the Console object.
3537 * @param pUVM The VM handle.
3538 * @param pcszDevice The PDM device name.
3539 * @param uInstance The PDM device instance.
3540 * @param enmBus The storage bus type of the controller.
3541 * @param fUseHostIOCache Whether to use the host I/O cache (disable async I/O).
3542 * @param aMediumAtt The medium attachment.
3543 * @param fForce Force unmounting.
3544 *
3545 * @thread EMT
3546 * @note The VM must not be running since it might have pending I/O to the drive which is being changed.
3547 */
3548DECLCALLBACK(int) Console::i_changeRemovableMedium(Console *pThis,
3549 PUVM pUVM,
3550 const char *pcszDevice,
3551 unsigned uInstance,
3552 StorageBus_T enmBus,
3553 bool fUseHostIOCache,
3554 IMediumAttachment *aMediumAtt,
3555 bool fForce)
3556{
3557 LogFlowFunc(("pThis=%p uInstance=%u pszDevice=%p:{%s} enmBus=%u, aMediumAtt=%p, fForce=%d\n",
3558 pThis, uInstance, pcszDevice, pcszDevice, enmBus, aMediumAtt, fForce));
3559
3560 AssertReturn(pThis, VERR_INVALID_PARAMETER);
3561
3562 AutoCaller autoCaller(pThis);
3563 AssertComRCReturn(autoCaller.rc(), VERR_ACCESS_DENIED);
3564
3565 /*
3566 * Check the VM for correct state.
3567 */
3568 VMSTATE enmVMState = VMR3GetStateU(pUVM);
3569 AssertReturn(enmVMState == VMSTATE_SUSPENDED, VERR_INVALID_STATE);
3570
3571 int rc = pThis->i_configMediumAttachment(pcszDevice,
3572 uInstance,
3573 enmBus,
3574 fUseHostIOCache,
3575 false /* fSetupMerge */,
3576 false /* fBuiltinIOCache */,
3577 false /* fInsertDiskIntegrityDrv. */,
3578 0 /* uMergeSource */,
3579 0 /* uMergeTarget */,
3580 aMediumAtt,
3581 pThis->mMachineState,
3582 NULL /* phrc */,
3583 true /* fAttachDetach */,
3584 fForce /* fForceUnmount */,
3585 false /* fHotplug */,
3586 pUVM,
3587 NULL /* paLedDevType */,
3588 NULL /* ppLunL0 */);
3589 LogFlowFunc(("Returning %Rrc\n", rc));
3590 return rc;
3591}
3592
3593
3594/**
3595 * Attach a new storage device to the VM.
3596 *
3597 * @param aMediumAttachment The medium attachment which is added.
3598 * @param pUVM Safe VM handle.
3599 * @param fSilent Flag whether to notify the guest about the attached device.
3600 *
3601 * @note Locks this object for writing.
3602 */
3603HRESULT Console::i_doStorageDeviceAttach(IMediumAttachment *aMediumAttachment, PUVM pUVM, bool fSilent)
3604{
3605 AutoCaller autoCaller(this);
3606 AssertComRCReturnRC(autoCaller.rc());
3607
3608 /* We will need to release the write lock before calling EMT */
3609 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3610
3611 HRESULT rc = S_OK;
3612 const char *pszDevice = NULL;
3613
3614 SafeIfaceArray<IStorageController> ctrls;
3615 rc = mMachine->COMGETTER(StorageControllers)(ComSafeArrayAsOutParam(ctrls));
3616 AssertComRC(rc);
3617 IMedium *pMedium;
3618 rc = aMediumAttachment->COMGETTER(Medium)(&pMedium);
3619 AssertComRC(rc);
3620 Bstr mediumLocation;
3621 if (pMedium)
3622 {
3623 rc = pMedium->COMGETTER(Location)(mediumLocation.asOutParam());
3624 AssertComRC(rc);
3625 }
3626
3627 Bstr attCtrlName;
3628 rc = aMediumAttachment->COMGETTER(Controller)(attCtrlName.asOutParam());
3629 AssertComRC(rc);
3630 ComPtr<IStorageController> pStorageController;
3631 for (size_t i = 0; i < ctrls.size(); ++i)
3632 {
3633 Bstr ctrlName;
3634 rc = ctrls[i]->COMGETTER(Name)(ctrlName.asOutParam());
3635 AssertComRC(rc);
3636 if (attCtrlName == ctrlName)
3637 {
3638 pStorageController = ctrls[i];
3639 break;
3640 }
3641 }
3642 if (pStorageController.isNull())
3643 return setError(E_FAIL,
3644 tr("Could not find storage controller '%ls'"), attCtrlName.raw());
3645
3646 StorageControllerType_T enmCtrlType;
3647 rc = pStorageController->COMGETTER(ControllerType)(&enmCtrlType);
3648 AssertComRC(rc);
3649 pszDevice = i_convertControllerTypeToDev(enmCtrlType);
3650
3651 StorageBus_T enmBus;
3652 rc = pStorageController->COMGETTER(Bus)(&enmBus);
3653 AssertComRC(rc);
3654 ULONG uInstance;
3655 rc = pStorageController->COMGETTER(Instance)(&uInstance);
3656 AssertComRC(rc);
3657 BOOL fUseHostIOCache;
3658 rc = pStorageController->COMGETTER(UseHostIOCache)(&fUseHostIOCache);
3659 AssertComRC(rc);
3660
3661 /*
3662 * Suspend the VM first. The VM must not be running since it might have
3663 * pending I/O to the drive which is being changed.
3664 */
3665 bool fResume = false;
3666 rc = i_suspendBeforeConfigChange(pUVM, &alock, &fResume);
3667 if (FAILED(rc))
3668 return rc;
3669
3670 /*
3671 * Call worker in EMT, that's faster and safer than doing everything
3672 * using VMR3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
3673 * here to make requests from under the lock in order to serialize them.
3674 */
3675 PVMREQ pReq;
3676 int vrc = VMR3ReqCallU(pUVM, VMCPUID_ANY, &pReq, 0 /* no wait! */, VMREQFLAGS_VBOX_STATUS,
3677 (PFNRT)i_attachStorageDevice, 8,
3678 this, pUVM, pszDevice, uInstance, enmBus, fUseHostIOCache, aMediumAttachment, fSilent);
3679
3680 /* release the lock before waiting for a result (EMT might wait for it, @bugref{7648})! */
3681 alock.release();
3682
3683 if (vrc == VERR_TIMEOUT)
3684 vrc = VMR3ReqWait(pReq, RT_INDEFINITE_WAIT);
3685 AssertRC(vrc);
3686 if (RT_SUCCESS(vrc))
3687 vrc = pReq->iStatus;
3688 VMR3ReqFree(pReq);
3689
3690 if (fResume)
3691 i_resumeAfterConfigChange(pUVM);
3692
3693 if (RT_SUCCESS(vrc))
3694 {
3695 LogFlowThisFunc(("Returns S_OK\n"));
3696 return S_OK;
3697 }
3698
3699 if (!pMedium)
3700 return setError(E_FAIL,
3701 tr("Could not mount the media/drive '%ls' (%Rrc)"),
3702 mediumLocation.raw(), vrc);
3703
3704 return setError(E_FAIL,
3705 tr("Could not unmount the currently mounted media/drive (%Rrc)"),
3706 vrc);
3707}
3708
3709
3710/**
3711 * Performs the storage attach operation in EMT.
3712 *
3713 * @returns VBox status code.
3714 *
3715 * @param pThis Pointer to the Console object.
3716 * @param pUVM The VM handle.
3717 * @param pcszDevice The PDM device name.
3718 * @param uInstance The PDM device instance.
3719 * @param enmBus The storage bus type of the controller.
3720 * @param fUseHostIOCache Whether to use the host I/O cache (disable async I/O).
3721 * @param aMediumAtt The medium attachment.
3722 * @param fSilent Flag whether to inform the guest about the attached device.
3723 *
3724 * @thread EMT
3725 * @note The VM must not be running since it might have pending I/O to the drive which is being changed.
3726 */
3727DECLCALLBACK(int) Console::i_attachStorageDevice(Console *pThis,
3728 PUVM pUVM,
3729 const char *pcszDevice,
3730 unsigned uInstance,
3731 StorageBus_T enmBus,
3732 bool fUseHostIOCache,
3733 IMediumAttachment *aMediumAtt,
3734 bool fSilent)
3735{
3736 LogFlowFunc(("pThis=%p uInstance=%u pszDevice=%p:{%s} enmBus=%u, aMediumAtt=%p\n",
3737 pThis, uInstance, pcszDevice, pcszDevice, enmBus, aMediumAtt));
3738
3739 AssertReturn(pThis, VERR_INVALID_PARAMETER);
3740
3741 AutoCaller autoCaller(pThis);
3742 AssertComRCReturn(autoCaller.rc(), VERR_ACCESS_DENIED);
3743
3744 /*
3745 * Check the VM for correct state.
3746 */
3747 VMSTATE enmVMState = VMR3GetStateU(pUVM);
3748 AssertReturn(enmVMState == VMSTATE_SUSPENDED, VERR_INVALID_STATE);
3749
3750 int rc = pThis->i_configMediumAttachment(pcszDevice,
3751 uInstance,
3752 enmBus,
3753 fUseHostIOCache,
3754 false /* fSetupMerge */,
3755 false /* fBuiltinIOCache */,
3756 false /* fInsertDiskIntegrityDrv. */,
3757 0 /* uMergeSource */,
3758 0 /* uMergeTarget */,
3759 aMediumAtt,
3760 pThis->mMachineState,
3761 NULL /* phrc */,
3762 true /* fAttachDetach */,
3763 false /* fForceUnmount */,
3764 !fSilent /* fHotplug */,
3765 pUVM,
3766 NULL /* paLedDevType */,
3767 NULL);
3768 LogFlowFunc(("Returning %Rrc\n", rc));
3769 return rc;
3770}
3771
3772/**
3773 * Attach a new storage device to the VM.
3774 *
3775 * @param aMediumAttachment The medium attachment which is added.
3776 * @param pUVM Safe VM handle.
3777 * @param fSilent Flag whether to notify the guest about the detached device.
3778 *
3779 * @note Locks this object for writing.
3780 */
3781HRESULT Console::i_doStorageDeviceDetach(IMediumAttachment *aMediumAttachment, PUVM pUVM, bool fSilent)
3782{
3783 AutoCaller autoCaller(this);
3784 AssertComRCReturnRC(autoCaller.rc());
3785
3786 /* We will need to release the write lock before calling EMT */
3787 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
3788
3789 HRESULT rc = S_OK;
3790 const char *pszDevice = NULL;
3791
3792 SafeIfaceArray<IStorageController> ctrls;
3793 rc = mMachine->COMGETTER(StorageControllers)(ComSafeArrayAsOutParam(ctrls));
3794 AssertComRC(rc);
3795 IMedium *pMedium;
3796 rc = aMediumAttachment->COMGETTER(Medium)(&pMedium);
3797 AssertComRC(rc);
3798 Bstr mediumLocation;
3799 if (pMedium)
3800 {
3801 rc = pMedium->COMGETTER(Location)(mediumLocation.asOutParam());
3802 AssertComRC(rc);
3803 }
3804
3805 Bstr attCtrlName;
3806 rc = aMediumAttachment->COMGETTER(Controller)(attCtrlName.asOutParam());
3807 AssertComRC(rc);
3808 ComPtr<IStorageController> pStorageController;
3809 for (size_t i = 0; i < ctrls.size(); ++i)
3810 {
3811 Bstr ctrlName;
3812 rc = ctrls[i]->COMGETTER(Name)(ctrlName.asOutParam());
3813 AssertComRC(rc);
3814 if (attCtrlName == ctrlName)
3815 {
3816 pStorageController = ctrls[i];
3817 break;
3818 }
3819 }
3820 if (pStorageController.isNull())
3821 return setError(E_FAIL,
3822 tr("Could not find storage controller '%ls'"), attCtrlName.raw());
3823
3824 StorageControllerType_T enmCtrlType;
3825 rc = pStorageController->COMGETTER(ControllerType)(&enmCtrlType);
3826 AssertComRC(rc);
3827 pszDevice = i_convertControllerTypeToDev(enmCtrlType);
3828
3829 StorageBus_T enmBus;
3830 rc = pStorageController->COMGETTER(Bus)(&enmBus);
3831 AssertComRC(rc);
3832 ULONG uInstance;
3833 rc = pStorageController->COMGETTER(Instance)(&uInstance);
3834 AssertComRC(rc);
3835
3836 /*
3837 * Suspend the VM first. The VM must not be running since it might have
3838 * pending I/O to the drive which is being changed.
3839 */
3840 bool fResume = false;
3841 rc = i_suspendBeforeConfigChange(pUVM, &alock, &fResume);
3842 if (FAILED(rc))
3843 return rc;
3844
3845 /*
3846 * Call worker in EMT, that's faster and safer than doing everything
3847 * using VMR3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
3848 * here to make requests from under the lock in order to serialize them.
3849 */
3850 PVMREQ pReq;
3851 int vrc = VMR3ReqCallU(pUVM, VMCPUID_ANY, &pReq, 0 /* no wait! */, VMREQFLAGS_VBOX_STATUS,
3852 (PFNRT)i_detachStorageDevice, 7,
3853 this, pUVM, pszDevice, uInstance, enmBus, aMediumAttachment, fSilent);
3854
3855 /* release the lock before waiting for a result (EMT might wait for it, @bugref{7648})! */
3856 alock.release();
3857
3858 if (vrc == VERR_TIMEOUT)
3859 vrc = VMR3ReqWait(pReq, RT_INDEFINITE_WAIT);
3860 AssertRC(vrc);
3861 if (RT_SUCCESS(vrc))
3862 vrc = pReq->iStatus;
3863 VMR3ReqFree(pReq);
3864
3865 if (fResume)
3866 i_resumeAfterConfigChange(pUVM);
3867
3868 if (RT_SUCCESS(vrc))
3869 {
3870 LogFlowThisFunc(("Returns S_OK\n"));
3871 return S_OK;
3872 }
3873
3874 if (!pMedium)
3875 return setError(E_FAIL,
3876 tr("Could not mount the media/drive '%ls' (%Rrc)"),
3877 mediumLocation.raw(), vrc);
3878
3879 return setError(E_FAIL,
3880 tr("Could not unmount the currently mounted media/drive (%Rrc)"),
3881 vrc);
3882}
3883
3884/**
3885 * Performs the storage detach operation in EMT.
3886 *
3887 * @returns VBox status code.
3888 *
3889 * @param pThis Pointer to the Console object.
3890 * @param pUVM The VM handle.
3891 * @param pcszDevice The PDM device name.
3892 * @param uInstance The PDM device instance.
3893 * @param enmBus The storage bus type of the controller.
3894 * @param pMediumAtt Pointer to the medium attachment.
3895 * @param fSilent Flag whether to notify the guest about the detached device.
3896 *
3897 * @thread EMT
3898 * @note The VM must not be running since it might have pending I/O to the drive which is being changed.
3899 */
3900DECLCALLBACK(int) Console::i_detachStorageDevice(Console *pThis,
3901 PUVM pUVM,
3902 const char *pcszDevice,
3903 unsigned uInstance,
3904 StorageBus_T enmBus,
3905 IMediumAttachment *pMediumAtt,
3906 bool fSilent)
3907{
3908 LogFlowFunc(("pThis=%p uInstance=%u pszDevice=%p:{%s} enmBus=%u, pMediumAtt=%p\n",
3909 pThis, uInstance, pcszDevice, pcszDevice, enmBus, pMediumAtt));
3910
3911 AssertReturn(pThis, VERR_INVALID_PARAMETER);
3912
3913 AutoCaller autoCaller(pThis);
3914 AssertComRCReturn(autoCaller.rc(), VERR_ACCESS_DENIED);
3915
3916 /*
3917 * Check the VM for correct state.
3918 */
3919 VMSTATE enmVMState = VMR3GetStateU(pUVM);
3920 AssertReturn(enmVMState == VMSTATE_SUSPENDED, VERR_INVALID_STATE);
3921
3922 /* Determine the base path for the device instance. */
3923 PCFGMNODE pCtlInst;
3924 pCtlInst = CFGMR3GetChildF(CFGMR3GetRootU(pUVM), "Devices/%s/%u/", pcszDevice, uInstance);
3925 AssertReturn(pCtlInst || enmBus == StorageBus_USB, VERR_INTERNAL_ERROR);
3926
3927#define H() AssertMsgReturn(!FAILED(hrc), ("hrc=%Rhrc\n", hrc), VERR_GENERAL_FAILURE)
3928
3929 HRESULT hrc;
3930 int rc = VINF_SUCCESS;
3931 int rcRet = VINF_SUCCESS;
3932 unsigned uLUN;
3933 LONG lDev;
3934 LONG lPort;
3935 DeviceType_T lType;
3936 PCFGMNODE pLunL0 = NULL;
3937
3938 hrc = pMediumAtt->COMGETTER(Device)(&lDev); H();
3939 hrc = pMediumAtt->COMGETTER(Port)(&lPort); H();
3940 hrc = pMediumAtt->COMGETTER(Type)(&lType); H();
3941 hrc = Console::i_convertBusPortDeviceToLun(enmBus, lPort, lDev, uLUN); H();
3942
3943#undef H
3944
3945 if (enmBus != StorageBus_USB)
3946 {
3947 /* First check if the LUN really exists. */
3948 pLunL0 = CFGMR3GetChildF(pCtlInst, "LUN#%u", uLUN);
3949 if (pLunL0)
3950 {
3951 uint32_t fFlags = 0;
3952
3953 if (fSilent)
3954 fFlags |= PDM_TACH_FLAGS_NOT_HOT_PLUG;
3955
3956 rc = PDMR3DeviceDetach(pUVM, pcszDevice, uInstance, uLUN, fFlags);
3957 if (rc == VERR_PDM_NO_DRIVER_ATTACHED_TO_LUN)
3958 rc = VINF_SUCCESS;
3959 AssertRCReturn(rc, rc);
3960 CFGMR3RemoveNode(pLunL0);
3961
3962 Utf8Str devicePath = Utf8StrFmt("%s/%u/LUN#%u", pcszDevice, uInstance, uLUN);
3963 pThis->mapMediumAttachments.erase(devicePath);
3964
3965 }
3966 else
3967 AssertFailedReturn(VERR_INTERNAL_ERROR);
3968
3969 CFGMR3Dump(pCtlInst);
3970 }
3971#ifdef VBOX_WITH_USB
3972 else
3973 {
3974 /* Find the correct USB device in the list. */
3975 USBStorageDeviceList::iterator it;
3976 for (it = pThis->mUSBStorageDevices.begin(); it != pThis->mUSBStorageDevices.end(); ++it)
3977 {
3978 if (it->iPort == lPort)
3979 break;
3980 }
3981
3982 AssertReturn(it != pThis->mUSBStorageDevices.end(), VERR_INTERNAL_ERROR);
3983 rc = PDMR3UsbDetachDevice(pUVM, &it->mUuid);
3984 AssertRCReturn(rc, rc);
3985 pThis->mUSBStorageDevices.erase(it);
3986 }
3987#endif
3988
3989 LogFlowFunc(("Returning %Rrc\n", rcRet));
3990 return rcRet;
3991}
3992
3993/**
3994 * Called by IInternalSessionControl::OnNetworkAdapterChange().
3995 *
3996 * @note Locks this object for writing.
3997 */
3998HRESULT Console::i_onNetworkAdapterChange(INetworkAdapter *aNetworkAdapter, BOOL changeAdapter)
3999{
4000 LogFlowThisFunc(("\n"));
4001
4002 AutoCaller autoCaller(this);
4003 AssertComRCReturnRC(autoCaller.rc());
4004
4005 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4006
4007 HRESULT rc = S_OK;
4008
4009 /* don't trigger network changes if the VM isn't running */
4010 SafeVMPtrQuiet ptrVM(this);
4011 if (ptrVM.isOk())
4012 {
4013 /* Get the properties we need from the adapter */
4014 BOOL fCableConnected, fTraceEnabled;
4015 rc = aNetworkAdapter->COMGETTER(CableConnected)(&fCableConnected);
4016 AssertComRC(rc);
4017 if (SUCCEEDED(rc))
4018 {
4019 rc = aNetworkAdapter->COMGETTER(TraceEnabled)(&fTraceEnabled);
4020 AssertComRC(rc);
4021 if (SUCCEEDED(rc))
4022 {
4023 ULONG ulInstance;
4024 rc = aNetworkAdapter->COMGETTER(Slot)(&ulInstance);
4025 AssertComRC(rc);
4026 if (SUCCEEDED(rc))
4027 {
4028 /*
4029 * Find the adapter instance, get the config interface and update
4030 * the link state.
4031 */
4032 NetworkAdapterType_T adapterType;
4033 rc = aNetworkAdapter->COMGETTER(AdapterType)(&adapterType);
4034 AssertComRC(rc);
4035 const char *pszAdapterName = networkAdapterTypeToName(adapterType);
4036
4037 // prevent cross-thread deadlocks, don't need the lock any more
4038 alock.release();
4039
4040 PPDMIBASE pBase;
4041 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), pszAdapterName, ulInstance, 0, &pBase);
4042 if (RT_SUCCESS(vrc))
4043 {
4044 Assert(pBase);
4045 PPDMINETWORKCONFIG pINetCfg;
4046 pINetCfg = PDMIBASE_QUERY_INTERFACE(pBase, PDMINETWORKCONFIG);
4047 if (pINetCfg)
4048 {
4049 Log(("Console::onNetworkAdapterChange: setting link state to %d\n",
4050 fCableConnected));
4051 vrc = pINetCfg->pfnSetLinkState(pINetCfg,
4052 fCableConnected ? PDMNETWORKLINKSTATE_UP
4053 : PDMNETWORKLINKSTATE_DOWN);
4054 ComAssertRC(vrc);
4055 }
4056 if (RT_SUCCESS(vrc) && changeAdapter)
4057 {
4058 VMSTATE enmVMState = VMR3GetStateU(ptrVM.rawUVM());
4059 if ( enmVMState == VMSTATE_RUNNING /** @todo LiveMigration: Forbid or deal
4060 correctly with the _LS variants */
4061 || enmVMState == VMSTATE_SUSPENDED)
4062 {
4063 if (fTraceEnabled && fCableConnected && pINetCfg)
4064 {
4065 vrc = pINetCfg->pfnSetLinkState(pINetCfg, PDMNETWORKLINKSTATE_DOWN);
4066 ComAssertRC(vrc);
4067 }
4068
4069 rc = i_doNetworkAdapterChange(ptrVM.rawUVM(), pszAdapterName, ulInstance, 0, aNetworkAdapter);
4070
4071 if (fTraceEnabled && fCableConnected && pINetCfg)
4072 {
4073 vrc = pINetCfg->pfnSetLinkState(pINetCfg, PDMNETWORKLINKSTATE_UP);
4074 ComAssertRC(vrc);
4075 }
4076 }
4077 }
4078 }
4079 else if (vrc == VERR_PDM_DEVICE_INSTANCE_NOT_FOUND)
4080 return setError(E_FAIL,
4081 tr("The network adapter #%u is not enabled"), ulInstance);
4082 else
4083 ComAssertRC(vrc);
4084
4085 if (RT_FAILURE(vrc))
4086 rc = E_FAIL;
4087
4088 alock.acquire();
4089 }
4090 }
4091 }
4092 ptrVM.release();
4093 }
4094
4095 // definitely don't need the lock any more
4096 alock.release();
4097
4098 /* notify console callbacks on success */
4099 if (SUCCEEDED(rc))
4100 fireNetworkAdapterChangedEvent(mEventSource, aNetworkAdapter);
4101
4102 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
4103 return rc;
4104}
4105
4106/**
4107 * Called by IInternalSessionControl::OnNATEngineChange().
4108 *
4109 * @note Locks this object for writing.
4110 */
4111HRESULT Console::i_onNATRedirectRuleChange(ULONG ulInstance, BOOL aNatRuleRemove,
4112 NATProtocol_T aProto, IN_BSTR aHostIP,
4113 LONG aHostPort, IN_BSTR aGuestIP,
4114 LONG aGuestPort)
4115{
4116 LogFlowThisFunc(("\n"));
4117
4118 AutoCaller autoCaller(this);
4119 AssertComRCReturnRC(autoCaller.rc());
4120
4121 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4122
4123 HRESULT rc = S_OK;
4124
4125 /* don't trigger NAT engine changes if the VM isn't running */
4126 SafeVMPtrQuiet ptrVM(this);
4127 if (ptrVM.isOk())
4128 {
4129 do
4130 {
4131 ComPtr<INetworkAdapter> pNetworkAdapter;
4132 rc = i_machine()->GetNetworkAdapter(ulInstance, pNetworkAdapter.asOutParam());
4133 if ( FAILED(rc)
4134 || pNetworkAdapter.isNull())
4135 break;
4136
4137 /*
4138 * Find the adapter instance, get the config interface and update
4139 * the link state.
4140 */
4141 NetworkAdapterType_T adapterType;
4142 rc = pNetworkAdapter->COMGETTER(AdapterType)(&adapterType);
4143 if (FAILED(rc))
4144 {
4145 AssertComRC(rc);
4146 rc = E_FAIL;
4147 break;
4148 }
4149
4150 const char *pszAdapterName = networkAdapterTypeToName(adapterType);
4151 PPDMIBASE pBase;
4152 int vrc = PDMR3QueryLun(ptrVM.rawUVM(), pszAdapterName, ulInstance, 0, &pBase);
4153 if (RT_FAILURE(vrc))
4154 {
4155 /* This may happen if the NAT network adapter is currently not attached.
4156 * This is a valid condition. */
4157 if (vrc == VERR_PDM_NO_DRIVER_ATTACHED_TO_LUN)
4158 break;
4159 ComAssertRC(vrc);
4160 rc = E_FAIL;
4161 break;
4162 }
4163
4164 NetworkAttachmentType_T attachmentType;
4165 rc = pNetworkAdapter->COMGETTER(AttachmentType)(&attachmentType);
4166 if ( FAILED(rc)
4167 || attachmentType != NetworkAttachmentType_NAT)
4168 {
4169 rc = E_FAIL;
4170 break;
4171 }
4172
4173 /* look down for PDMINETWORKNATCONFIG interface */
4174 PPDMINETWORKNATCONFIG pNetNatCfg = NULL;
4175 while (pBase)
4176 {
4177 pNetNatCfg = (PPDMINETWORKNATCONFIG)pBase->pfnQueryInterface(pBase, PDMINETWORKNATCONFIG_IID);
4178 if (pNetNatCfg)
4179 break;
4180 /** @todo r=bird: This stinks! */
4181 PPDMDRVINS pDrvIns = PDMIBASE_2_PDMDRV(pBase);
4182 pBase = pDrvIns->pDownBase;
4183 }
4184 if (!pNetNatCfg)
4185 break;
4186
4187 bool fUdp = aProto == NATProtocol_UDP;
4188 vrc = pNetNatCfg->pfnRedirectRuleCommand(pNetNatCfg, !!aNatRuleRemove, fUdp,
4189 Utf8Str(aHostIP).c_str(), (uint16_t)aHostPort, Utf8Str(aGuestIP).c_str(),
4190 (uint16_t)aGuestPort);
4191 if (RT_FAILURE(vrc))
4192 rc = E_FAIL;
4193 } while (0); /* break loop */
4194 ptrVM.release();
4195 }
4196
4197 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
4198 return rc;
4199}
4200
4201
4202/*
4203 * IHostNameResolutionConfigurationChangeEvent
4204 *
4205 * Currently this event doesn't carry actual resolver configuration,
4206 * so we have to go back to VBoxSVC and ask... This is not ideal.
4207 */
4208HRESULT Console::i_onNATDnsChanged()
4209{
4210 HRESULT hrc;
4211
4212 AutoCaller autoCaller(this);
4213 AssertComRCReturnRC(autoCaller.rc());
4214
4215 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4216
4217#if 0 /* XXX: We don't yet pass this down to pfnNotifyDnsChanged */
4218 ComPtr<IVirtualBox> pVirtualBox;
4219 hrc = mMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
4220 if (FAILED(hrc))
4221 return S_OK;
4222
4223 ComPtr<IHost> pHost;
4224 hrc = pVirtualBox->COMGETTER(Host)(pHost.asOutParam());
4225 if (FAILED(hrc))
4226 return S_OK;
4227
4228 SafeArray<BSTR> aNameServers;
4229 hrc = pHost->COMGETTER(NameServers)(ComSafeArrayAsOutParam(aNameServers));
4230 if (FAILED(hrc))
4231 return S_OK;
4232
4233 const size_t cNameServers = aNameServers.size();
4234 Log(("DNS change - %zu nameservers\n", cNameServers));
4235
4236 for (size_t i = 0; i < cNameServers; ++i)
4237 {
4238 com::Utf8Str strNameServer(aNameServers[i]);
4239 Log(("- nameserver[%zu] = \"%s\"\n", i, strNameServer.c_str()));
4240 }
4241
4242 com::Bstr domain;
4243 pHost->COMGETTER(DomainName)(domain.asOutParam());
4244 Log(("domain name = \"%s\"\n", com::Utf8Str(domain).c_str()));
4245#endif /* 0 */
4246
4247 ChipsetType_T enmChipsetType;
4248 hrc = mMachine->COMGETTER(ChipsetType)(&enmChipsetType);
4249 if (!FAILED(hrc))
4250 {
4251 SafeVMPtrQuiet ptrVM(this);
4252 if (ptrVM.isOk())
4253 {
4254 ULONG ulInstanceMax = (ULONG)Global::getMaxNetworkAdapters(enmChipsetType);
4255
4256 notifyNatDnsChange(ptrVM.rawUVM(), "pcnet", ulInstanceMax);
4257 notifyNatDnsChange(ptrVM.rawUVM(), "e1000", ulInstanceMax);
4258 notifyNatDnsChange(ptrVM.rawUVM(), "virtio-net", ulInstanceMax);
4259 }
4260 }
4261
4262 return S_OK;
4263}
4264
4265
4266/*
4267 * This routine walks over all network device instances, checking if
4268 * device instance has DrvNAT attachment and triggering DrvNAT DNS
4269 * change callback.
4270 */
4271void Console::notifyNatDnsChange(PUVM pUVM, const char *pszDevice, ULONG ulInstanceMax)
4272{
4273 Log(("notifyNatDnsChange: looking for DrvNAT attachment on %s device instances\n", pszDevice));
4274 for (ULONG ulInstance = 0; ulInstance < ulInstanceMax; ulInstance++)
4275 {
4276 PPDMIBASE pBase;
4277 int rc = PDMR3QueryDriverOnLun(pUVM, pszDevice, ulInstance, 0 /* iLun */, "NAT", &pBase);
4278 if (RT_FAILURE(rc))
4279 continue;
4280
4281 Log(("Instance %s#%d has DrvNAT attachment; do actual notify\n", pszDevice, ulInstance));
4282 if (pBase)
4283 {
4284 PPDMINETWORKNATCONFIG pNetNatCfg = NULL;
4285 pNetNatCfg = (PPDMINETWORKNATCONFIG)pBase->pfnQueryInterface(pBase, PDMINETWORKNATCONFIG_IID);
4286 if (pNetNatCfg && pNetNatCfg->pfnNotifyDnsChanged)
4287 pNetNatCfg->pfnNotifyDnsChanged(pNetNatCfg);
4288 }
4289 }
4290}
4291
4292
4293VMMDevMouseInterface *Console::i_getVMMDevMouseInterface()
4294{
4295 return m_pVMMDev;
4296}
4297
4298DisplayMouseInterface *Console::i_getDisplayMouseInterface()
4299{
4300 return mDisplay;
4301}
4302
4303/**
4304 * Parses one key value pair.
4305 *
4306 * @returns VBox status code.
4307 * @param psz Configuration string.
4308 * @param ppszEnd Where to store the pointer to the string following the key value pair.
4309 * @param ppszKey Where to store the key on success.
4310 * @param ppszVal Where to store the value on success.
4311 */
4312int Console::i_consoleParseKeyValue(const char *psz, const char **ppszEnd,
4313 char **ppszKey, char **ppszVal)
4314{
4315 int rc = VINF_SUCCESS;
4316 const char *pszKeyStart = psz;
4317 const char *pszValStart = NULL;
4318 size_t cchKey = 0;
4319 size_t cchVal = 0;
4320
4321 while ( *psz != '='
4322 && *psz)
4323 psz++;
4324
4325 /* End of string at this point is invalid. */
4326 if (*psz == '\0')
4327 return VERR_INVALID_PARAMETER;
4328
4329 cchKey = psz - pszKeyStart;
4330 psz++; /* Skip = character */
4331 pszValStart = psz;
4332
4333 while ( *psz != ','
4334 && *psz != '\n'
4335 && *psz != '\r'
4336 && *psz)
4337 psz++;
4338
4339 cchVal = psz - pszValStart;
4340
4341 if (cchKey && cchVal)
4342 {
4343 *ppszKey = RTStrDupN(pszKeyStart, cchKey);
4344 if (*ppszKey)
4345 {
4346 *ppszVal = RTStrDupN(pszValStart, cchVal);
4347 if (!*ppszVal)
4348 {
4349 RTStrFree(*ppszKey);
4350 rc = VERR_NO_MEMORY;
4351 }
4352 }
4353 else
4354 rc = VERR_NO_MEMORY;
4355 }
4356 else
4357 rc = VERR_INVALID_PARAMETER;
4358
4359 if (RT_SUCCESS(rc))
4360 *ppszEnd = psz;
4361
4362 return rc;
4363}
4364
4365/**
4366 * Initializes the secret key interface on all configured attachments.
4367 *
4368 * @returns COM status code.
4369 */
4370HRESULT Console::i_initSecretKeyIfOnAllAttachments(void)
4371{
4372 HRESULT hrc = S_OK;
4373 SafeIfaceArray<IMediumAttachment> sfaAttachments;
4374
4375 AutoCaller autoCaller(this);
4376 AssertComRCReturnRC(autoCaller.rc());
4377
4378 /* Get the VM - must be done before the read-locking. */
4379 SafeVMPtr ptrVM(this);
4380 if (!ptrVM.isOk())
4381 return ptrVM.rc();
4382
4383 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4384
4385 hrc = mMachine->COMGETTER(MediumAttachments)(ComSafeArrayAsOutParam(sfaAttachments));
4386 AssertComRCReturnRC(hrc);
4387
4388 /* Find the correct attachment. */
4389 for (unsigned i = 0; i < sfaAttachments.size(); i++)
4390 {
4391 const ComPtr<IMediumAttachment> &pAtt = sfaAttachments[i];
4392 /*
4393 * Query storage controller, port and device
4394 * to identify the correct driver.
4395 */
4396 ComPtr<IStorageController> pStorageCtrl;
4397 Bstr storageCtrlName;
4398 LONG lPort, lDev;
4399 ULONG ulStorageCtrlInst;
4400
4401 hrc = pAtt->COMGETTER(Controller)(storageCtrlName.asOutParam());
4402 AssertComRC(hrc);
4403
4404 hrc = pAtt->COMGETTER(Port)(&lPort);
4405 AssertComRC(hrc);
4406
4407 hrc = pAtt->COMGETTER(Device)(&lDev);
4408 AssertComRC(hrc);
4409
4410 hrc = mMachine->GetStorageControllerByName(storageCtrlName.raw(), pStorageCtrl.asOutParam());
4411 AssertComRC(hrc);
4412
4413 hrc = pStorageCtrl->COMGETTER(Instance)(&ulStorageCtrlInst);
4414 AssertComRC(hrc);
4415
4416 StorageControllerType_T enmCtrlType;
4417 hrc = pStorageCtrl->COMGETTER(ControllerType)(&enmCtrlType);
4418 AssertComRC(hrc);
4419 const char *pcszDevice = i_convertControllerTypeToDev(enmCtrlType);
4420
4421 StorageBus_T enmBus;
4422 hrc = pStorageCtrl->COMGETTER(Bus)(&enmBus);
4423 AssertComRC(hrc);
4424
4425 unsigned uLUN;
4426 hrc = Console::i_convertBusPortDeviceToLun(enmBus, lPort, lDev, uLUN);
4427 AssertComRC(hrc);
4428
4429 PPDMIBASE pIBase = NULL;
4430 PPDMIMEDIA pIMedium = NULL;
4431 int rc = PDMR3QueryDriverOnLun(ptrVM.rawUVM(), pcszDevice, ulStorageCtrlInst, uLUN, "VD", &pIBase);
4432 if (RT_SUCCESS(rc))
4433 {
4434 if (pIBase)
4435 {
4436 pIMedium = (PPDMIMEDIA)pIBase->pfnQueryInterface(pIBase, PDMIMEDIA_IID);
4437 if (pIMedium)
4438 {
4439 rc = pIMedium->pfnSetSecKeyIf(pIMedium, NULL, mpIfSecKeyHlp);
4440 Assert(RT_SUCCESS(rc) || rc == VERR_NOT_SUPPORTED);
4441 }
4442 }
4443 }
4444 }
4445
4446 return hrc;
4447}
4448
4449/**
4450 * Removes the key interfaces from all disk attachments with the given key ID.
4451 * Useful when changing the key store or dropping it.
4452 *
4453 * @returns COM status code.
4454 * @param strId The ID to look for.
4455 */
4456HRESULT Console::i_clearDiskEncryptionKeysOnAllAttachmentsWithKeyId(const Utf8Str &strId)
4457{
4458 HRESULT hrc = S_OK;
4459 SafeIfaceArray<IMediumAttachment> sfaAttachments;
4460
4461 /* Get the VM - must be done before the read-locking. */
4462 SafeVMPtr ptrVM(this);
4463 if (!ptrVM.isOk())
4464 return ptrVM.rc();
4465
4466 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4467
4468 hrc = mMachine->COMGETTER(MediumAttachments)(ComSafeArrayAsOutParam(sfaAttachments));
4469 AssertComRCReturnRC(hrc);
4470
4471 /* Find the correct attachment. */
4472 for (unsigned i = 0; i < sfaAttachments.size(); i++)
4473 {
4474 const ComPtr<IMediumAttachment> &pAtt = sfaAttachments[i];
4475 ComPtr<IMedium> pMedium;
4476 ComPtr<IMedium> pBase;
4477 Bstr bstrKeyId;
4478
4479 hrc = pAtt->COMGETTER(Medium)(pMedium.asOutParam());
4480 if (FAILED(hrc))
4481 break;
4482
4483 /* Skip non hard disk attachments. */
4484 if (pMedium.isNull())
4485 continue;
4486
4487 /* Get the UUID of the base medium and compare. */
4488 hrc = pMedium->COMGETTER(Base)(pBase.asOutParam());
4489 if (FAILED(hrc))
4490 break;
4491
4492 hrc = pBase->GetProperty(Bstr("CRYPT/KeyId").raw(), bstrKeyId.asOutParam());
4493 if (hrc == VBOX_E_OBJECT_NOT_FOUND)
4494 {
4495 hrc = S_OK;
4496 continue;
4497 }
4498 else if (FAILED(hrc))
4499 break;
4500
4501 if (strId.equals(Utf8Str(bstrKeyId)))
4502 {
4503
4504 /*
4505 * Query storage controller, port and device
4506 * to identify the correct driver.
4507 */
4508 ComPtr<IStorageController> pStorageCtrl;
4509 Bstr storageCtrlName;
4510 LONG lPort, lDev;
4511 ULONG ulStorageCtrlInst;
4512
4513 hrc = pAtt->COMGETTER(Controller)(storageCtrlName.asOutParam());
4514 AssertComRC(hrc);
4515
4516 hrc = pAtt->COMGETTER(Port)(&lPort);
4517 AssertComRC(hrc);
4518
4519 hrc = pAtt->COMGETTER(Device)(&lDev);
4520 AssertComRC(hrc);
4521
4522 hrc = mMachine->GetStorageControllerByName(storageCtrlName.raw(), pStorageCtrl.asOutParam());
4523 AssertComRC(hrc);
4524
4525 hrc = pStorageCtrl->COMGETTER(Instance)(&ulStorageCtrlInst);
4526 AssertComRC(hrc);
4527
4528 StorageControllerType_T enmCtrlType;
4529 hrc = pStorageCtrl->COMGETTER(ControllerType)(&enmCtrlType);
4530 AssertComRC(hrc);
4531 const char *pcszDevice = i_convertControllerTypeToDev(enmCtrlType);
4532
4533 StorageBus_T enmBus;
4534 hrc = pStorageCtrl->COMGETTER(Bus)(&enmBus);
4535 AssertComRC(hrc);
4536
4537 unsigned uLUN;
4538 hrc = Console::i_convertBusPortDeviceToLun(enmBus, lPort, lDev, uLUN);
4539 AssertComRC(hrc);
4540
4541 PPDMIBASE pIBase = NULL;
4542 PPDMIMEDIA pIMedium = NULL;
4543 int rc = PDMR3QueryDriverOnLun(ptrVM.rawUVM(), pcszDevice, ulStorageCtrlInst, uLUN, "VD", &pIBase);
4544 if (RT_SUCCESS(rc))
4545 {
4546 if (pIBase)
4547 {
4548 pIMedium = (PPDMIMEDIA)pIBase->pfnQueryInterface(pIBase, PDMIMEDIA_IID);
4549 if (pIMedium)
4550 {
4551 rc = pIMedium->pfnSetSecKeyIf(pIMedium, NULL, mpIfSecKeyHlp);
4552 Assert(RT_SUCCESS(rc) || rc == VERR_NOT_SUPPORTED);
4553 }
4554 }
4555 }
4556 }
4557 }
4558
4559 return hrc;
4560}
4561
4562/**
4563 * Configures the encryption support for the disk which have encryption conigured
4564 * with the configured key.
4565 *
4566 * @returns COM status code.
4567 * @param strId The ID of the password.
4568 * @param pcDisksConfigured Where to store the number of disks configured for the given ID.
4569 */
4570HRESULT Console::i_configureEncryptionForDisk(const com::Utf8Str &strId, unsigned *pcDisksConfigured)
4571{
4572 unsigned cDisksConfigured = 0;
4573 HRESULT hrc = S_OK;
4574 SafeIfaceArray<IMediumAttachment> sfaAttachments;
4575
4576 AutoCaller autoCaller(this);
4577 AssertComRCReturnRC(autoCaller.rc());
4578
4579 /* Get the VM - must be done before the read-locking. */
4580 SafeVMPtr ptrVM(this);
4581 if (!ptrVM.isOk())
4582 return ptrVM.rc();
4583
4584 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
4585
4586 hrc = mMachine->COMGETTER(MediumAttachments)(ComSafeArrayAsOutParam(sfaAttachments));
4587 if (FAILED(hrc))
4588 return hrc;
4589
4590 /* Find the correct attachment. */
4591 for (unsigned i = 0; i < sfaAttachments.size(); i++)
4592 {
4593 const ComPtr<IMediumAttachment> &pAtt = sfaAttachments[i];
4594 ComPtr<IMedium> pMedium;
4595 ComPtr<IMedium> pBase;
4596 Bstr bstrKeyId;
4597
4598 hrc = pAtt->COMGETTER(Medium)(pMedium.asOutParam());
4599 if (FAILED(hrc))
4600 break;
4601
4602 /* Skip non hard disk attachments. */
4603 if (pMedium.isNull())
4604 continue;
4605
4606 /* Get the UUID of the base medium and compare. */
4607 hrc = pMedium->COMGETTER(Base)(pBase.asOutParam());
4608 if (FAILED(hrc))
4609 break;
4610
4611 hrc = pBase->GetProperty(Bstr("CRYPT/KeyId").raw(), bstrKeyId.asOutParam());
4612 if (hrc == VBOX_E_OBJECT_NOT_FOUND)
4613 {
4614 hrc = S_OK;
4615 continue;
4616 }
4617 else if (FAILED(hrc))
4618 break;
4619
4620 if (strId.equals(Utf8Str(bstrKeyId)))
4621 {
4622 /*
4623 * Found the matching medium, query storage controller, port and device
4624 * to identify the correct driver.
4625 */
4626 ComPtr<IStorageController> pStorageCtrl;
4627 Bstr storageCtrlName;
4628 LONG lPort, lDev;
4629 ULONG ulStorageCtrlInst;
4630
4631 hrc = pAtt->COMGETTER(Controller)(storageCtrlName.asOutParam());
4632 if (FAILED(hrc))
4633 break;
4634
4635 hrc = pAtt->COMGETTER(Port)(&lPort);
4636 if (FAILED(hrc))
4637 break;
4638
4639 hrc = pAtt->COMGETTER(Device)(&lDev);
4640 if (FAILED(hrc))
4641 break;
4642
4643 hrc = mMachine->GetStorageControllerByName(storageCtrlName.raw(), pStorageCtrl.asOutParam());
4644 if (FAILED(hrc))
4645 break;
4646
4647 hrc = pStorageCtrl->COMGETTER(Instance)(&ulStorageCtrlInst);
4648 if (FAILED(hrc))
4649 break;
4650
4651 StorageControllerType_T enmCtrlType;
4652 hrc = pStorageCtrl->COMGETTER(ControllerType)(&enmCtrlType);
4653 AssertComRC(hrc);
4654 const char *pcszDevice = i_convertControllerTypeToDev(enmCtrlType);
4655
4656 StorageBus_T enmBus;
4657 hrc = pStorageCtrl->COMGETTER(Bus)(&enmBus);
4658 AssertComRC(hrc);
4659
4660 unsigned uLUN;
4661 hrc = Console::i_convertBusPortDeviceToLun(enmBus, lPort, lDev, uLUN);
4662 AssertComRCReturnRC(hrc);
4663
4664 PPDMIBASE pIBase = NULL;
4665 PPDMIMEDIA pIMedium = NULL;
4666 int rc = PDMR3QueryDriverOnLun(ptrVM.rawUVM(), pcszDevice, ulStorageCtrlInst, uLUN, "VD", &pIBase);
4667 if (RT_SUCCESS(rc))
4668 {
4669 if (pIBase)
4670 {
4671 pIMedium = (PPDMIMEDIA)pIBase->pfnQueryInterface(pIBase, PDMIMEDIA_IID);
4672 if (!pIMedium)
4673 return setError(E_FAIL, tr("could not query medium interface of controller"));
4674 else
4675 {
4676 rc = pIMedium->pfnSetSecKeyIf(pIMedium, mpIfSecKey, mpIfSecKeyHlp);
4677 if (rc == VERR_VD_PASSWORD_INCORRECT)
4678 {
4679 hrc = setError(VBOX_E_PASSWORD_INCORRECT, tr("The provided password for ID \"%s\" is not correct for at least one disk using this ID"),
4680 strId.c_str());
4681 break;
4682 }
4683 else if (RT_FAILURE(rc))
4684 {
4685 hrc = setError(E_FAIL, tr("Failed to set the encryption key (%Rrc)"), rc);
4686 break;
4687 }
4688
4689 if (RT_SUCCESS(rc))
4690 cDisksConfigured++;
4691 }
4692 }
4693 else
4694 return setError(E_FAIL, tr("could not query base interface of controller"));
4695 }
4696 }
4697 }
4698
4699 if ( SUCCEEDED(hrc)
4700 && pcDisksConfigured)
4701 *pcDisksConfigured = cDisksConfigured;
4702 else if (FAILED(hrc))
4703 {
4704 /* Clear disk encryption setup on successfully configured attachments. */
4705 ErrorInfoKeeper eik; /* Keep current error info or it gets deestroyed in the IPC methods below. */
4706 i_clearDiskEncryptionKeysOnAllAttachmentsWithKeyId(strId);
4707 }
4708
4709 return hrc;
4710}
4711
4712/**
4713 * Parses the encryption configuration for one disk.
4714 *
4715 * @returns COM status code.
4716 * @param psz Pointer to the configuration for the encryption of one disk.
4717 * @param ppszEnd Pointer to the string following encrpytion configuration.
4718 */
4719HRESULT Console::i_consoleParseDiskEncryption(const char *psz, const char **ppszEnd)
4720{
4721 char *pszUuid = NULL;
4722 char *pszKeyEnc = NULL;
4723 int rc = VINF_SUCCESS;
4724 HRESULT hrc = S_OK;
4725
4726 while ( *psz
4727 && RT_SUCCESS(rc))
4728 {
4729 char *pszKey = NULL;
4730 char *pszVal = NULL;
4731 const char *pszEnd = NULL;
4732
4733 rc = i_consoleParseKeyValue(psz, &pszEnd, &pszKey, &pszVal);
4734 if (RT_SUCCESS(rc))
4735 {
4736 if (!RTStrCmp(pszKey, "uuid"))
4737 pszUuid = pszVal;
4738 else if (!RTStrCmp(pszKey, "dek"))
4739 pszKeyEnc = pszVal;
4740 else
4741 rc = VERR_INVALID_PARAMETER;
4742
4743 RTStrFree(pszKey);
4744
4745 if (*pszEnd == ',')
4746 psz = pszEnd + 1;
4747 else
4748 {
4749 /*
4750 * End of the configuration for the current disk, skip linefeed and
4751 * carriage returns.
4752 */
4753 while ( *pszEnd == '\n'
4754 || *pszEnd == '\r')
4755 pszEnd++;
4756
4757 psz = pszEnd;
4758 break; /* Stop parsing */
4759 }
4760
4761 }
4762 }
4763
4764 if ( RT_SUCCESS(rc)
4765 && pszUuid
4766 && pszKeyEnc)
4767 {
4768 ssize_t cbKey = 0;
4769
4770 /* Decode the key. */
4771 cbKey = RTBase64DecodedSize(pszKeyEnc, NULL);
4772 if (cbKey != -1)
4773 {
4774 uint8_t *pbKey;
4775 rc = RTMemSaferAllocZEx((void **)&pbKey, cbKey, RTMEMSAFER_F_REQUIRE_NOT_PAGABLE);
4776 if (RT_SUCCESS(rc))
4777 {
4778 rc = RTBase64Decode(pszKeyEnc, pbKey, cbKey, NULL, NULL);
4779 if (RT_SUCCESS(rc))
4780 {
4781 rc = m_pKeyStore->addSecretKey(Utf8Str(pszUuid), pbKey, cbKey);
4782 if (RT_SUCCESS(rc))
4783 {
4784 hrc = i_configureEncryptionForDisk(Utf8Str(pszUuid), NULL);
4785 if (FAILED(hrc))
4786 {
4787 /* Delete the key from the map. */
4788 rc = m_pKeyStore->deleteSecretKey(Utf8Str(pszUuid));
4789 AssertRC(rc);
4790 }
4791 }
4792 }
4793 else
4794 hrc = setError(E_FAIL,
4795 tr("Failed to decode the key (%Rrc)"),
4796 rc);
4797
4798 RTMemSaferFree(pbKey, cbKey);
4799 }
4800 else
4801 hrc = setError(E_FAIL,
4802 tr("Failed to allocate secure memory for the key (%Rrc)"), rc);
4803 }
4804 else
4805 hrc = setError(E_FAIL,
4806 tr("The base64 encoding of the passed key is incorrect"));
4807 }
4808 else if (RT_SUCCESS(rc))
4809 hrc = setError(E_FAIL,
4810 tr("The encryption configuration is incomplete"));
4811
4812 if (pszUuid)
4813 RTStrFree(pszUuid);
4814 if (pszKeyEnc)
4815 {
4816 RTMemWipeThoroughly(pszKeyEnc, strlen(pszKeyEnc), 10 /* cMinPasses */);
4817 RTStrFree(pszKeyEnc);
4818 }
4819
4820 if (ppszEnd)
4821 *ppszEnd = psz;
4822
4823 return hrc;
4824}
4825
4826HRESULT Console::i_setDiskEncryptionKeys(const Utf8Str &strCfg)
4827{
4828 HRESULT hrc = S_OK;
4829 const char *pszCfg = strCfg.c_str();
4830
4831 while ( *pszCfg
4832 && SUCCEEDED(hrc))
4833 {
4834 const char *pszNext = NULL;
4835 hrc = i_consoleParseDiskEncryption(pszCfg, &pszNext);
4836 pszCfg = pszNext;
4837 }
4838
4839 return hrc;
4840}
4841
4842void Console::i_removeSecretKeysOnSuspend()
4843{
4844 /* Remove keys which are supposed to be removed on a suspend. */
4845 int rc = m_pKeyStore->deleteAllSecretKeys(true /* fSuspend */, true /* fForce */);
4846 AssertRC(rc); NOREF(rc);
4847}
4848
4849/**
4850 * Process a network adaptor change.
4851 *
4852 * @returns COM status code.
4853 *
4854 * @param pUVM The VM handle (caller hold this safely).
4855 * @param pszDevice The PDM device name.
4856 * @param uInstance The PDM device instance.
4857 * @param uLun The PDM LUN number of the drive.
4858 * @param aNetworkAdapter The network adapter whose attachment needs to be changed
4859 */
4860HRESULT Console::i_doNetworkAdapterChange(PUVM pUVM,
4861 const char *pszDevice,
4862 unsigned uInstance,
4863 unsigned uLun,
4864 INetworkAdapter *aNetworkAdapter)
4865{
4866 LogFlowThisFunc(("pszDevice=%p:{%s} uInstance=%u uLun=%u aNetworkAdapter=%p\n",
4867 pszDevice, pszDevice, uInstance, uLun, aNetworkAdapter));
4868
4869 AutoCaller autoCaller(this);
4870 AssertComRCReturnRC(autoCaller.rc());
4871
4872 /*
4873 * Suspend the VM first.
4874 */
4875 bool fResume = false;
4876 HRESULT hr = i_suspendBeforeConfigChange(pUVM, NULL, &fResume);
4877 if (FAILED(hr))
4878 return hr;
4879
4880 /*
4881 * Call worker in EMT, that's faster and safer than doing everything
4882 * using VM3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
4883 * here to make requests from under the lock in order to serialize them.
4884 */
4885 int rc = VMR3ReqCallWaitU(pUVM, 0 /*idDstCpu*/,
4886 (PFNRT)i_changeNetworkAttachment, 6,
4887 this, pUVM, pszDevice, uInstance, uLun, aNetworkAdapter);
4888
4889 if (fResume)
4890 i_resumeAfterConfigChange(pUVM);
4891
4892 if (RT_SUCCESS(rc))
4893 return S_OK;
4894
4895 return setError(E_FAIL,
4896 tr("Could not change the network adaptor attachement type (%Rrc)"), rc);
4897}
4898
4899
4900/**
4901 * Performs the Network Adaptor change in EMT.
4902 *
4903 * @returns VBox status code.
4904 *
4905 * @param pThis Pointer to the Console object.
4906 * @param pUVM The VM handle.
4907 * @param pszDevice The PDM device name.
4908 * @param uInstance The PDM device instance.
4909 * @param uLun The PDM LUN number of the drive.
4910 * @param aNetworkAdapter The network adapter whose attachment needs to be changed
4911 *
4912 * @thread EMT
4913 * @note Locks the Console object for writing.
4914 * @note The VM must not be running.
4915 */
4916DECLCALLBACK(int) Console::i_changeNetworkAttachment(Console *pThis,
4917 PUVM pUVM,
4918 const char *pszDevice,
4919 unsigned uInstance,
4920 unsigned uLun,
4921 INetworkAdapter *aNetworkAdapter)
4922{
4923 LogFlowFunc(("pThis=%p pszDevice=%p:{%s} uInstance=%u uLun=%u aNetworkAdapter=%p\n",
4924 pThis, pszDevice, pszDevice, uInstance, uLun, aNetworkAdapter));
4925
4926 AssertReturn(pThis, VERR_INVALID_PARAMETER);
4927
4928 AutoCaller autoCaller(pThis);
4929 AssertComRCReturn(autoCaller.rc(), VERR_ACCESS_DENIED);
4930
4931 ComPtr<IVirtualBox> pVirtualBox;
4932 pThis->mMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
4933 ComPtr<ISystemProperties> pSystemProperties;
4934 if (pVirtualBox)
4935 pVirtualBox->COMGETTER(SystemProperties)(pSystemProperties.asOutParam());
4936 ChipsetType_T chipsetType = ChipsetType_PIIX3;
4937 pThis->mMachine->COMGETTER(ChipsetType)(&chipsetType);
4938 ULONG maxNetworkAdapters = 0;
4939 if (pSystemProperties)
4940 pSystemProperties->GetMaxNetworkAdapters(chipsetType, &maxNetworkAdapters);
4941 AssertMsg( ( !strcmp(pszDevice, "pcnet")
4942 || !strcmp(pszDevice, "e1000")
4943 || !strcmp(pszDevice, "virtio-net"))
4944 && uLun == 0
4945 && uInstance < maxNetworkAdapters,
4946 ("pszDevice=%s uLun=%d uInstance=%d\n", pszDevice, uLun, uInstance));
4947 Log(("pszDevice=%s uLun=%d uInstance=%d\n", pszDevice, uLun, uInstance));
4948
4949 /*
4950 * Check the VM for correct state.
4951 */
4952 VMSTATE enmVMState = VMR3GetStateU(pUVM);
4953 AssertReturn(enmVMState == VMSTATE_SUSPENDED, VERR_INVALID_STATE);
4954
4955 PCFGMNODE pCfg = NULL; /* /Devices/Dev/.../Config/ */
4956 PCFGMNODE pLunL0 = NULL; /* /Devices/Dev/0/LUN#0/ */
4957 PCFGMNODE pInst = CFGMR3GetChildF(CFGMR3GetRootU(pUVM), "Devices/%s/%d/", pszDevice, uInstance);
4958 AssertRelease(pInst);
4959
4960 int rc = pThis->i_configNetwork(pszDevice, uInstance, uLun, aNetworkAdapter, pCfg, pLunL0, pInst,
4961 true /*fAttachDetach*/, false /*fIgnoreConnectFailure*/);
4962
4963 LogFlowFunc(("Returning %Rrc\n", rc));
4964 return rc;
4965}
4966
4967/**
4968 * Called by IInternalSessionControl::OnAudioAdapterChange().
4969 */
4970HRESULT Console::i_onAudioAdapterChange(IAudioAdapter *aAudioAdapter)
4971{
4972 LogFlowThisFunc(("\n"));
4973
4974 AutoCaller autoCaller(this);
4975 AssertComRCReturnRC(autoCaller.rc());
4976
4977 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
4978
4979 HRESULT hrc = S_OK;
4980
4981 /* don't trigger audio changes if the VM isn't running */
4982 SafeVMPtrQuiet ptrVM(this);
4983 if (ptrVM.isOk())
4984 {
4985 BOOL fEnabledIn, fEnabledOut;
4986 hrc = aAudioAdapter->COMGETTER(EnabledIn)(&fEnabledIn);
4987 AssertComRC(hrc);
4988 if (SUCCEEDED(hrc))
4989 {
4990 hrc = aAudioAdapter->COMGETTER(EnabledOut)(&fEnabledOut);
4991 AssertComRC(hrc);
4992 if (SUCCEEDED(hrc))
4993 {
4994 AudioControllerType_T audioController;
4995 hrc = aAudioAdapter->COMGETTER(AudioController)(&audioController);
4996 AssertComRC(hrc);
4997 if (SUCCEEDED(hrc))
4998 {
4999 Utf8Str strDevice;
5000
5001 switch (audioController)
5002 {
5003 case AudioControllerType_AC97: strDevice = "ichac97"; break;
5004 case AudioControllerType_SB16: strDevice = "sb16"; break;
5005 case AudioControllerType_HDA: strDevice = "hda"; break;
5006 default:
5007 AssertFailed(); break; /* Should never happen. */
5008 }
5009
5010 int rc = VINF_SUCCESS;
5011
5012 for (ULONG ulLUN = 0; ulLUN < 16 /** @todo Use a define */; ulLUN++)
5013 {
5014 PPDMIBASE pBase;
5015 int rc2 = PDMR3QueryDriverOnLun(ptrVM.rawUVM(),
5016 strDevice.c_str(), 0 /* iInstance */, ulLUN, "AUDIO", &pBase);
5017 if (RT_FAILURE(rc2))
5018 continue;
5019
5020 Log(("%s: LUN#%RU32\n", strDevice.c_str(), ulLUN));
5021
5022 if (pBase)
5023 {
5024 PPDMIAUDIOCONNECTOR pAudioCon =
5025 (PPDMIAUDIOCONNECTOR)pBase->pfnQueryInterface(pBase, PDMIAUDIOCONNECTOR_IID);
5026
5027 if ( pAudioCon
5028 && pAudioCon->pfnEnable)
5029 {
5030 int rcIn = pAudioCon->pfnEnable(pAudioCon, PDMAUDIODIR_IN, RT_BOOL(fEnabledIn));
5031 if (RT_FAILURE(rcIn))
5032 LogRel(("Audio: Failed to %s input of LUN#%RU32, rc=%Rrc\n",
5033 fEnabledIn ? "enable" : "disable", ulLUN, rcIn));
5034
5035 if (RT_SUCCESS(rc))
5036 rc = rcIn;
5037
5038 int rcOut = pAudioCon->pfnEnable(pAudioCon, PDMAUDIODIR_OUT, RT_BOOL(fEnabledOut));
5039 if (RT_FAILURE(rcOut))
5040 LogRel(("Audio: Failed to %s output of LUN#%RU32, rc=%Rrc\n",
5041 fEnabledIn ? "enable" : "disable", ulLUN, rcOut));
5042
5043 if (RT_SUCCESS(rc))
5044 rc = rcOut;
5045 }
5046 }
5047 }
5048
5049 if (RT_SUCCESS(rc))
5050 LogRel(("Audio: Status has changed (input is %s, output is %s)\n",
5051 fEnabledIn ? "enabled" : "disabled", fEnabledOut ? "enabled" : "disabled"));
5052 }
5053 }
5054 }
5055
5056 ptrVM.release();
5057 }
5058
5059 alock.release();
5060
5061 /* notify console callbacks on success */
5062 if (SUCCEEDED(hrc))
5063 fireAudioAdapterChangedEvent(mEventSource, aAudioAdapter);
5064
5065 LogFlowThisFunc(("Leaving rc=%#x\n", S_OK));
5066 return S_OK;
5067}
5068
5069/**
5070 * Called by IInternalSessionControl::OnSerialPortChange().
5071 */
5072HRESULT Console::i_onSerialPortChange(ISerialPort *aSerialPort)
5073{
5074 LogFlowThisFunc(("\n"));
5075
5076 AutoCaller autoCaller(this);
5077 AssertComRCReturnRC(autoCaller.rc());
5078
5079 fireSerialPortChangedEvent(mEventSource, aSerialPort);
5080
5081 LogFlowThisFunc(("Leaving rc=%#x\n", S_OK));
5082 return S_OK;
5083}
5084
5085/**
5086 * Called by IInternalSessionControl::OnParallelPortChange().
5087 */
5088HRESULT Console::i_onParallelPortChange(IParallelPort *aParallelPort)
5089{
5090 LogFlowThisFunc(("\n"));
5091
5092 AutoCaller autoCaller(this);
5093 AssertComRCReturnRC(autoCaller.rc());
5094
5095 fireParallelPortChangedEvent(mEventSource, aParallelPort);
5096
5097 LogFlowThisFunc(("Leaving rc=%#x\n", S_OK));
5098 return S_OK;
5099}
5100
5101/**
5102 * Called by IInternalSessionControl::OnStorageControllerChange().
5103 */
5104HRESULT Console::i_onStorageControllerChange()
5105{
5106 LogFlowThisFunc(("\n"));
5107
5108 AutoCaller autoCaller(this);
5109 AssertComRCReturnRC(autoCaller.rc());
5110
5111 fireStorageControllerChangedEvent(mEventSource);
5112
5113 LogFlowThisFunc(("Leaving rc=%#x\n", S_OK));
5114 return S_OK;
5115}
5116
5117/**
5118 * Called by IInternalSessionControl::OnMediumChange().
5119 */
5120HRESULT Console::i_onMediumChange(IMediumAttachment *aMediumAttachment, BOOL aForce)
5121{
5122 LogFlowThisFunc(("\n"));
5123
5124 AutoCaller autoCaller(this);
5125 AssertComRCReturnRC(autoCaller.rc());
5126
5127 HRESULT rc = S_OK;
5128
5129 /* don't trigger medium changes if the VM isn't running */
5130 SafeVMPtrQuiet ptrVM(this);
5131 if (ptrVM.isOk())
5132 {
5133 rc = i_doMediumChange(aMediumAttachment, !!aForce, ptrVM.rawUVM());
5134 ptrVM.release();
5135 }
5136
5137 /* notify console callbacks on success */
5138 if (SUCCEEDED(rc))
5139 fireMediumChangedEvent(mEventSource, aMediumAttachment);
5140
5141 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5142 return rc;
5143}
5144
5145/**
5146 * Called by IInternalSessionControl::OnCPUChange().
5147 *
5148 * @note Locks this object for writing.
5149 */
5150HRESULT Console::i_onCPUChange(ULONG aCPU, BOOL aRemove)
5151{
5152 LogFlowThisFunc(("\n"));
5153
5154 AutoCaller autoCaller(this);
5155 AssertComRCReturnRC(autoCaller.rc());
5156
5157 HRESULT rc = S_OK;
5158
5159 /* don't trigger CPU changes if the VM isn't running */
5160 SafeVMPtrQuiet ptrVM(this);
5161 if (ptrVM.isOk())
5162 {
5163 if (aRemove)
5164 rc = i_doCPURemove(aCPU, ptrVM.rawUVM());
5165 else
5166 rc = i_doCPUAdd(aCPU, ptrVM.rawUVM());
5167 ptrVM.release();
5168 }
5169
5170 /* notify console callbacks on success */
5171 if (SUCCEEDED(rc))
5172 fireCPUChangedEvent(mEventSource, aCPU, aRemove);
5173
5174 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5175 return rc;
5176}
5177
5178/**
5179 * Called by IInternalSessionControl::OnCpuExecutionCapChange().
5180 *
5181 * @note Locks this object for writing.
5182 */
5183HRESULT Console::i_onCPUExecutionCapChange(ULONG aExecutionCap)
5184{
5185 LogFlowThisFunc(("\n"));
5186
5187 AutoCaller autoCaller(this);
5188 AssertComRCReturnRC(autoCaller.rc());
5189
5190 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5191
5192 HRESULT rc = S_OK;
5193
5194 /* don't trigger the CPU priority change if the VM isn't running */
5195 SafeVMPtrQuiet ptrVM(this);
5196 if (ptrVM.isOk())
5197 {
5198 if ( mMachineState == MachineState_Running
5199 || mMachineState == MachineState_Teleporting
5200 || mMachineState == MachineState_LiveSnapshotting
5201 )
5202 {
5203 /* No need to call in the EMT thread. */
5204 rc = VMR3SetCpuExecutionCap(ptrVM.rawUVM(), aExecutionCap);
5205 }
5206 else
5207 rc = i_setInvalidMachineStateError();
5208 ptrVM.release();
5209 }
5210
5211 /* notify console callbacks on success */
5212 if (SUCCEEDED(rc))
5213 {
5214 alock.release();
5215 fireCPUExecutionCapChangedEvent(mEventSource, aExecutionCap);
5216 }
5217
5218 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5219 return rc;
5220}
5221
5222/**
5223 * Called by IInternalSessionControl::OnClipboardModeChange().
5224 *
5225 * @note Locks this object for writing.
5226 */
5227HRESULT Console::i_onClipboardModeChange(ClipboardMode_T aClipboardMode)
5228{
5229 LogFlowThisFunc(("\n"));
5230
5231 AutoCaller autoCaller(this);
5232 AssertComRCReturnRC(autoCaller.rc());
5233
5234 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5235
5236 HRESULT rc = S_OK;
5237
5238 /* don't trigger the clipboard mode change if the VM isn't running */
5239 SafeVMPtrQuiet ptrVM(this);
5240 if (ptrVM.isOk())
5241 {
5242 if ( mMachineState == MachineState_Running
5243 || mMachineState == MachineState_Teleporting
5244 || mMachineState == MachineState_LiveSnapshotting)
5245 i_changeClipboardMode(aClipboardMode);
5246 else
5247 rc = i_setInvalidMachineStateError();
5248 ptrVM.release();
5249 }
5250
5251 /* notify console callbacks on success */
5252 if (SUCCEEDED(rc))
5253 {
5254 alock.release();
5255 fireClipboardModeChangedEvent(mEventSource, aClipboardMode);
5256 }
5257
5258 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5259 return rc;
5260}
5261
5262/**
5263 * Called by IInternalSessionControl::OnDnDModeChange().
5264 *
5265 * @note Locks this object for writing.
5266 */
5267HRESULT Console::i_onDnDModeChange(DnDMode_T aDnDMode)
5268{
5269 LogFlowThisFunc(("\n"));
5270
5271 AutoCaller autoCaller(this);
5272 AssertComRCReturnRC(autoCaller.rc());
5273
5274 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5275
5276 HRESULT rc = S_OK;
5277
5278 /* don't trigger the drag and drop mode change if the VM isn't running */
5279 SafeVMPtrQuiet ptrVM(this);
5280 if (ptrVM.isOk())
5281 {
5282 if ( mMachineState == MachineState_Running
5283 || mMachineState == MachineState_Teleporting
5284 || mMachineState == MachineState_LiveSnapshotting)
5285 i_changeDnDMode(aDnDMode);
5286 else
5287 rc = i_setInvalidMachineStateError();
5288 ptrVM.release();
5289 }
5290
5291 /* notify console callbacks on success */
5292 if (SUCCEEDED(rc))
5293 {
5294 alock.release();
5295 fireDnDModeChangedEvent(mEventSource, aDnDMode);
5296 }
5297
5298 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5299 return rc;
5300}
5301
5302/**
5303 * Check the return code of mConsoleVRDPServer->Launch. LogRel() the error reason and
5304 * return an error message appropriate for setError().
5305 */
5306Utf8Str Console::VRDPServerErrorToMsg(int vrc)
5307{
5308 Utf8Str errMsg;
5309 if (vrc == VERR_NET_ADDRESS_IN_USE)
5310 {
5311 /* Not fatal if we start the VM, fatal if the VM is already running. */
5312 Bstr bstr;
5313 mVRDEServer->GetVRDEProperty(Bstr("TCP/Ports").raw(), bstr.asOutParam());
5314 errMsg = Utf8StrFmt(tr("VirtualBox Remote Desktop Extension server can't bind to the port(s): %s"),
5315 Utf8Str(bstr).c_str());
5316 LogRel(("VRDE: Warning: failed to launch VRDE server (%Rrc): %s\n", vrc, errMsg.c_str()));
5317 }
5318 else if (vrc == VINF_NOT_SUPPORTED)
5319 {
5320 /* This means that the VRDE is not installed.
5321 * Not fatal if we start the VM, fatal if the VM is already running. */
5322 LogRel(("VRDE: VirtualBox Remote Desktop Extension is not available.\n"));
5323 errMsg = Utf8Str("VirtualBox Remote Desktop Extension is not available");
5324 }
5325 else if (RT_FAILURE(vrc))
5326 {
5327 /* Fail if the server is installed but can't start. Always fatal. */
5328 switch (vrc)
5329 {
5330 case VERR_FILE_NOT_FOUND:
5331 errMsg = Utf8StrFmt(tr("Could not find the VirtualBox Remote Desktop Extension library"));
5332 break;
5333 default:
5334 errMsg = Utf8StrFmt(tr("Failed to launch the Remote Desktop Extension server (%Rrc)"), vrc);
5335 break;
5336 }
5337 LogRel(("VRDE: Failed: (%Rrc): %s\n", vrc, errMsg.c_str()));
5338 }
5339
5340 return errMsg;
5341}
5342
5343/**
5344 * Called by IInternalSessionControl::OnVRDEServerChange().
5345 *
5346 * @note Locks this object for writing.
5347 */
5348HRESULT Console::i_onVRDEServerChange(BOOL aRestart)
5349{
5350 AutoCaller autoCaller(this);
5351 AssertComRCReturnRC(autoCaller.rc());
5352
5353 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5354
5355 HRESULT rc = S_OK;
5356
5357 /* don't trigger VRDE server changes if the VM isn't running */
5358 SafeVMPtrQuiet ptrVM(this);
5359 if (ptrVM.isOk())
5360 {
5361 /* Serialize. */
5362 if (mfVRDEChangeInProcess)
5363 mfVRDEChangePending = true;
5364 else
5365 {
5366 do {
5367 mfVRDEChangeInProcess = true;
5368 mfVRDEChangePending = false;
5369
5370 if ( mVRDEServer
5371 && ( mMachineState == MachineState_Running
5372 || mMachineState == MachineState_Teleporting
5373 || mMachineState == MachineState_LiveSnapshotting
5374 || mMachineState == MachineState_Paused
5375 )
5376 )
5377 {
5378 BOOL vrdpEnabled = FALSE;
5379
5380 rc = mVRDEServer->COMGETTER(Enabled)(&vrdpEnabled);
5381 ComAssertComRCRetRC(rc);
5382
5383 if (aRestart)
5384 {
5385 /* VRDP server may call this Console object back from other threads (VRDP INPUT or OUTPUT). */
5386 alock.release();
5387
5388 if (vrdpEnabled)
5389 {
5390 // If there was no VRDP server started the 'stop' will do nothing.
5391 // However if a server was started and this notification was called,
5392 // we have to restart the server.
5393 mConsoleVRDPServer->Stop();
5394
5395 int vrc = mConsoleVRDPServer->Launch();
5396 if (vrc != VINF_SUCCESS)
5397 {
5398 Utf8Str errMsg = VRDPServerErrorToMsg(vrc);
5399 rc = setError(E_FAIL, errMsg.c_str());
5400 }
5401 else
5402 mConsoleVRDPServer->EnableConnections();
5403 }
5404 else
5405 mConsoleVRDPServer->Stop();
5406
5407 alock.acquire();
5408 }
5409 }
5410 else
5411 rc = i_setInvalidMachineStateError();
5412
5413 mfVRDEChangeInProcess = false;
5414 } while (mfVRDEChangePending && SUCCEEDED(rc));
5415 }
5416
5417 ptrVM.release();
5418 }
5419
5420 /* notify console callbacks on success */
5421 if (SUCCEEDED(rc))
5422 {
5423 alock.release();
5424 fireVRDEServerChangedEvent(mEventSource);
5425 }
5426
5427 return rc;
5428}
5429
5430void Console::i_onVRDEServerInfoChange()
5431{
5432 AutoCaller autoCaller(this);
5433 AssertComRCReturnVoid(autoCaller.rc());
5434
5435 fireVRDEServerInfoChangedEvent(mEventSource);
5436}
5437
5438HRESULT Console::i_sendACPIMonitorHotPlugEvent()
5439{
5440 LogFlowThisFuncEnter();
5441
5442 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5443
5444 if ( mMachineState != MachineState_Running
5445 && mMachineState != MachineState_Teleporting
5446 && mMachineState != MachineState_LiveSnapshotting)
5447 return i_setInvalidMachineStateError();
5448
5449 /* get the VM handle. */
5450 SafeVMPtr ptrVM(this);
5451 if (!ptrVM.isOk())
5452 return ptrVM.rc();
5453
5454 // no need to release lock, as there are no cross-thread callbacks
5455
5456 /* get the acpi device interface and press the sleep button. */
5457 PPDMIBASE pBase;
5458 int vrc = PDMR3QueryDeviceLun(ptrVM.rawUVM(), "acpi", 0, 0, &pBase);
5459 if (RT_SUCCESS(vrc))
5460 {
5461 Assert(pBase);
5462 PPDMIACPIPORT pPort = PDMIBASE_QUERY_INTERFACE(pBase, PDMIACPIPORT);
5463 if (pPort)
5464 vrc = pPort->pfnMonitorHotPlugEvent(pPort);
5465 else
5466 vrc = VERR_PDM_MISSING_INTERFACE;
5467 }
5468
5469 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
5470 setError(VBOX_E_PDM_ERROR,
5471 tr("Sending monitor hot-plug event failed (%Rrc)"),
5472 vrc);
5473
5474 LogFlowThisFunc(("rc=%Rhrc\n", rc));
5475 LogFlowThisFuncLeave();
5476 return rc;
5477}
5478
5479HRESULT Console::i_onVideoCaptureChange()
5480{
5481 AutoCaller autoCaller(this);
5482 AssertComRCReturnRC(autoCaller.rc());
5483
5484 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5485
5486 HRESULT rc = S_OK;
5487
5488 /* don't trigger video capture changes if the VM isn't running */
5489 SafeVMPtrQuiet ptrVM(this);
5490 if (ptrVM.isOk())
5491 {
5492 BOOL fEnabled;
5493 rc = mMachine->COMGETTER(VideoCaptureEnabled)(&fEnabled);
5494 SafeArray<BOOL> screens;
5495 if (SUCCEEDED(rc))
5496 rc = mMachine->COMGETTER(VideoCaptureScreens)(ComSafeArrayAsOutParam(screens));
5497 if (mDisplay)
5498 {
5499 int vrc = VINF_SUCCESS;
5500 if (SUCCEEDED(rc))
5501 vrc = mDisplay->i_videoCaptureEnableScreens(ComSafeArrayAsInParam(screens));
5502 if (RT_SUCCESS(vrc))
5503 {
5504 if (fEnabled)
5505 {
5506 vrc = mDisplay->i_videoCaptureStart();
5507 if (RT_FAILURE(vrc))
5508 rc = setError(E_FAIL, tr("Unable to start video capturing (%Rrc)"), vrc);
5509 }
5510 else
5511 mDisplay->i_videoCaptureStop();
5512 }
5513 else
5514 rc = setError(E_FAIL, tr("Unable to set screens for capturing (%Rrc)"), vrc);
5515 }
5516 ptrVM.release();
5517 }
5518
5519 /* notify console callbacks on success */
5520 if (SUCCEEDED(rc))
5521 {
5522 alock.release();
5523 fireVideoCaptureChangedEvent(mEventSource);
5524 }
5525
5526 return rc;
5527}
5528
5529/**
5530 * Called by IInternalSessionControl::OnUSBControllerChange().
5531 */
5532HRESULT Console::i_onUSBControllerChange()
5533{
5534 LogFlowThisFunc(("\n"));
5535
5536 AutoCaller autoCaller(this);
5537 AssertComRCReturnRC(autoCaller.rc());
5538
5539 fireUSBControllerChangedEvent(mEventSource);
5540
5541 return S_OK;
5542}
5543
5544/**
5545 * Called by IInternalSessionControl::OnSharedFolderChange().
5546 *
5547 * @note Locks this object for writing.
5548 */
5549HRESULT Console::i_onSharedFolderChange(BOOL aGlobal)
5550{
5551 LogFlowThisFunc(("aGlobal=%RTbool\n", aGlobal));
5552
5553 AutoCaller autoCaller(this);
5554 AssertComRCReturnRC(autoCaller.rc());
5555
5556 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5557
5558 HRESULT rc = i_fetchSharedFolders(aGlobal);
5559
5560 /* notify console callbacks on success */
5561 if (SUCCEEDED(rc))
5562 {
5563 alock.release();
5564 fireSharedFolderChangedEvent(mEventSource, aGlobal ? (Scope_T)Scope_Global : (Scope_T)Scope_Machine);
5565 }
5566
5567 return rc;
5568}
5569
5570/**
5571 * Called by IInternalSessionControl::OnUSBDeviceAttach() or locally by
5572 * processRemoteUSBDevices() after IInternalMachineControl::RunUSBDeviceFilters()
5573 * returns TRUE for a given remote USB device.
5574 *
5575 * @return S_OK if the device was attached to the VM.
5576 * @return failure if not attached.
5577 *
5578 * @param aDevice The device in question.
5579 * @param aError Error information.
5580 * @param aMaskedIfs The interfaces to hide from the guest.
5581 * @param aCaptureFilename File name where to store the USB traffic.
5582 *
5583 * @note Locks this object for writing.
5584 */
5585HRESULT Console::i_onUSBDeviceAttach(IUSBDevice *aDevice, IVirtualBoxErrorInfo *aError, ULONG aMaskedIfs,
5586 const Utf8Str &aCaptureFilename)
5587{
5588#ifdef VBOX_WITH_USB
5589 LogFlowThisFunc(("aDevice=%p aError=%p\n", aDevice, aError));
5590
5591 AutoCaller autoCaller(this);
5592 ComAssertComRCRetRC(autoCaller.rc());
5593
5594 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5595
5596 /* Get the VM pointer (we don't need error info, since it's a callback). */
5597 SafeVMPtrQuiet ptrVM(this);
5598 if (!ptrVM.isOk())
5599 {
5600 /* The VM may be no more operational when this message arrives
5601 * (e.g. it may be Saving or Stopping or just PoweredOff) --
5602 * autoVMCaller.rc() will return a failure in this case. */
5603 LogFlowThisFunc(("Attach request ignored (mMachineState=%d).\n",
5604 mMachineState));
5605 return ptrVM.rc();
5606 }
5607
5608 if (aError != NULL)
5609 {
5610 /* notify callbacks about the error */
5611 alock.release();
5612 i_onUSBDeviceStateChange(aDevice, true /* aAttached */, aError);
5613 return S_OK;
5614 }
5615
5616 /* Don't proceed unless there's at least one USB hub. */
5617 if (!PDMR3UsbHasHub(ptrVM.rawUVM()))
5618 {
5619 LogFlowThisFunc(("Attach request ignored (no USB controller).\n"));
5620 return E_FAIL;
5621 }
5622
5623 alock.release();
5624 HRESULT rc = i_attachUSBDevice(aDevice, aMaskedIfs, aCaptureFilename);
5625 if (FAILED(rc))
5626 {
5627 /* take the current error info */
5628 com::ErrorInfoKeeper eik;
5629 /* the error must be a VirtualBoxErrorInfo instance */
5630 ComPtr<IVirtualBoxErrorInfo> pError = eik.takeError();
5631 Assert(!pError.isNull());
5632 if (!pError.isNull())
5633 {
5634 /* notify callbacks about the error */
5635 i_onUSBDeviceStateChange(aDevice, true /* aAttached */, pError);
5636 }
5637 }
5638
5639 return rc;
5640
5641#else /* !VBOX_WITH_USB */
5642 return E_FAIL;
5643#endif /* !VBOX_WITH_USB */
5644}
5645
5646/**
5647 * Called by IInternalSessionControl::OnUSBDeviceDetach() and locally by
5648 * processRemoteUSBDevices().
5649 *
5650 * @note Locks this object for writing.
5651 */
5652HRESULT Console::i_onUSBDeviceDetach(IN_BSTR aId,
5653 IVirtualBoxErrorInfo *aError)
5654{
5655#ifdef VBOX_WITH_USB
5656 Guid Uuid(aId);
5657 LogFlowThisFunc(("aId={%RTuuid} aError=%p\n", Uuid.raw(), aError));
5658
5659 AutoCaller autoCaller(this);
5660 AssertComRCReturnRC(autoCaller.rc());
5661
5662 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5663
5664 /* Find the device. */
5665 ComObjPtr<OUSBDevice> pUSBDevice;
5666 USBDeviceList::iterator it = mUSBDevices.begin();
5667 while (it != mUSBDevices.end())
5668 {
5669 LogFlowThisFunc(("it={%RTuuid}\n", (*it)->i_id().raw()));
5670 if ((*it)->i_id() == Uuid)
5671 {
5672 pUSBDevice = *it;
5673 break;
5674 }
5675 ++it;
5676 }
5677
5678
5679 if (pUSBDevice.isNull())
5680 {
5681 LogFlowThisFunc(("USB device not found.\n"));
5682
5683 /* The VM may be no more operational when this message arrives
5684 * (e.g. it may be Saving or Stopping or just PoweredOff). Use
5685 * AutoVMCaller to detect it -- AutoVMCaller::rc() will return a
5686 * failure in this case. */
5687
5688 AutoVMCallerQuiet autoVMCaller(this);
5689 if (FAILED(autoVMCaller.rc()))
5690 {
5691 LogFlowThisFunc(("Detach request ignored (mMachineState=%d).\n",
5692 mMachineState));
5693 return autoVMCaller.rc();
5694 }
5695
5696 /* the device must be in the list otherwise */
5697 AssertFailedReturn(E_FAIL);
5698 }
5699
5700 if (aError != NULL)
5701 {
5702 /* notify callback about an error */
5703 alock.release();
5704 i_onUSBDeviceStateChange(pUSBDevice, false /* aAttached */, aError);
5705 return S_OK;
5706 }
5707
5708 /* Remove the device from the collection, it is re-added below for failures */
5709 mUSBDevices.erase(it);
5710
5711 alock.release();
5712 HRESULT rc = i_detachUSBDevice(pUSBDevice);
5713 if (FAILED(rc))
5714 {
5715 /* Re-add the device to the collection */
5716 alock.acquire();
5717 mUSBDevices.push_back(pUSBDevice);
5718 alock.release();
5719 /* take the current error info */
5720 com::ErrorInfoKeeper eik;
5721 /* the error must be a VirtualBoxErrorInfo instance */
5722 ComPtr<IVirtualBoxErrorInfo> pError = eik.takeError();
5723 Assert(!pError.isNull());
5724 if (!pError.isNull())
5725 {
5726 /* notify callbacks about the error */
5727 i_onUSBDeviceStateChange(pUSBDevice, false /* aAttached */, pError);
5728 }
5729 }
5730
5731 return rc;
5732
5733#else /* !VBOX_WITH_USB */
5734 return E_FAIL;
5735#endif /* !VBOX_WITH_USB */
5736}
5737
5738/**
5739 * Called by IInternalSessionControl::OnBandwidthGroupChange().
5740 *
5741 * @note Locks this object for writing.
5742 */
5743HRESULT Console::i_onBandwidthGroupChange(IBandwidthGroup *aBandwidthGroup)
5744{
5745 LogFlowThisFunc(("\n"));
5746
5747 AutoCaller autoCaller(this);
5748 AssertComRCReturnRC(autoCaller.rc());
5749
5750 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
5751
5752 HRESULT rc = S_OK;
5753
5754 /* don't trigger bandwidth group changes if the VM isn't running */
5755 SafeVMPtrQuiet ptrVM(this);
5756 if (ptrVM.isOk())
5757 {
5758 if ( mMachineState == MachineState_Running
5759 || mMachineState == MachineState_Teleporting
5760 || mMachineState == MachineState_LiveSnapshotting
5761 )
5762 {
5763 /* No need to call in the EMT thread. */
5764 Bstr strName;
5765 rc = aBandwidthGroup->COMGETTER(Name)(strName.asOutParam());
5766 if (SUCCEEDED(rc))
5767 {
5768 LONG64 cMax;
5769 rc = aBandwidthGroup->COMGETTER(MaxBytesPerSec)(&cMax);
5770 if (SUCCEEDED(rc))
5771 {
5772 BandwidthGroupType_T enmType;
5773 rc = aBandwidthGroup->COMGETTER(Type)(&enmType);
5774 if (SUCCEEDED(rc))
5775 {
5776 int vrc = VINF_SUCCESS;
5777 if (enmType == BandwidthGroupType_Disk)
5778 vrc = PDMR3AsyncCompletionBwMgrSetMaxForFile(ptrVM.rawUVM(), Utf8Str(strName).c_str(), (uint32_t)cMax);
5779#ifdef VBOX_WITH_NETSHAPER
5780 else if (enmType == BandwidthGroupType_Network)
5781 vrc = PDMR3NsBwGroupSetLimit(ptrVM.rawUVM(), Utf8Str(strName).c_str(), cMax);
5782 else
5783 rc = E_NOTIMPL;
5784#endif
5785 AssertRC(vrc);
5786 }
5787 }
5788 }
5789 }
5790 else
5791 rc = i_setInvalidMachineStateError();
5792 ptrVM.release();
5793 }
5794
5795 /* notify console callbacks on success */
5796 if (SUCCEEDED(rc))
5797 {
5798 alock.release();
5799 fireBandwidthGroupChangedEvent(mEventSource, aBandwidthGroup);
5800 }
5801
5802 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5803 return rc;
5804}
5805
5806/**
5807 * Called by IInternalSessionControl::OnStorageDeviceChange().
5808 *
5809 * @note Locks this object for writing.
5810 */
5811HRESULT Console::i_onStorageDeviceChange(IMediumAttachment *aMediumAttachment, BOOL aRemove, BOOL aSilent)
5812{
5813 LogFlowThisFunc(("\n"));
5814
5815 AutoCaller autoCaller(this);
5816 AssertComRCReturnRC(autoCaller.rc());
5817
5818 HRESULT rc = S_OK;
5819
5820 /* don't trigger medium changes if the VM isn't running */
5821 SafeVMPtrQuiet ptrVM(this);
5822 if (ptrVM.isOk())
5823 {
5824 if (aRemove)
5825 rc = i_doStorageDeviceDetach(aMediumAttachment, ptrVM.rawUVM(), RT_BOOL(aSilent));
5826 else
5827 rc = i_doStorageDeviceAttach(aMediumAttachment, ptrVM.rawUVM(), RT_BOOL(aSilent));
5828 ptrVM.release();
5829 }
5830
5831 /* notify console callbacks on success */
5832 if (SUCCEEDED(rc))
5833 fireStorageDeviceChangedEvent(mEventSource, aMediumAttachment, aRemove, aSilent);
5834
5835 LogFlowThisFunc(("Leaving rc=%#x\n", rc));
5836 return rc;
5837}
5838
5839HRESULT Console::i_onExtraDataChange(IN_BSTR aMachineId, IN_BSTR aKey, IN_BSTR aVal)
5840{
5841 LogFlowThisFunc(("\n"));
5842
5843 AutoCaller autoCaller(this);
5844 if (FAILED(autoCaller.rc()))
5845 return autoCaller.rc();
5846
5847 if (!aMachineId)
5848 return S_OK;
5849
5850 HRESULT hrc = S_OK;
5851 Bstr idMachine(aMachineId);
5852 if ( FAILED(hrc)
5853 || idMachine != i_getId())
5854 return hrc;
5855
5856 /* don't do anything if the VM isn't running */
5857 SafeVMPtrQuiet ptrVM(this);
5858 if (ptrVM.isOk())
5859 {
5860 Bstr strKey(aKey);
5861 Bstr strVal(aVal);
5862
5863 if (strKey == "VBoxInternal2/TurnResetIntoPowerOff")
5864 {
5865 int vrc = VMR3SetPowerOffInsteadOfReset(ptrVM.rawUVM(), strVal == "1");
5866 AssertRC(vrc);
5867 }
5868
5869 ptrVM.release();
5870 }
5871
5872 /* notify console callbacks on success */
5873 if (SUCCEEDED(hrc))
5874 fireExtraDataChangedEvent(mEventSource, aMachineId, aKey, aVal);
5875
5876 LogFlowThisFunc(("Leaving hrc=%#x\n", hrc));
5877 return hrc;
5878}
5879
5880/**
5881 * @note Temporarily locks this object for writing.
5882 */
5883HRESULT Console::i_getGuestProperty(const Utf8Str &aName, Utf8Str *aValue, LONG64 *aTimestamp, Utf8Str *aFlags)
5884{
5885#ifndef VBOX_WITH_GUEST_PROPS
5886 ReturnComNotImplemented();
5887#else /* VBOX_WITH_GUEST_PROPS */
5888 if (!RT_VALID_PTR(aValue))
5889 return E_POINTER;
5890 if (aTimestamp != NULL && !RT_VALID_PTR(aTimestamp))
5891 return E_POINTER;
5892 if (aFlags != NULL && !RT_VALID_PTR(aFlags))
5893 return E_POINTER;
5894
5895 AutoCaller autoCaller(this);
5896 AssertComRCReturnRC(autoCaller.rc());
5897
5898 /* protect mpUVM (if not NULL) */
5899 SafeVMPtrQuiet ptrVM(this);
5900 if (FAILED(ptrVM.rc()))
5901 return ptrVM.rc();
5902
5903 /* Note: validity of mVMMDev which is bound to uninit() is guaranteed by
5904 * ptrVM, so there is no need to hold a lock of this */
5905
5906 HRESULT rc = E_UNEXPECTED;
5907 using namespace guestProp;
5908
5909 try
5910 {
5911 VBOXHGCMSVCPARM parm[4];
5912 char szBuffer[MAX_VALUE_LEN + MAX_FLAGS_LEN];
5913
5914 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
5915 parm[0].u.pointer.addr = (void*)aName.c_str();
5916 parm[0].u.pointer.size = (uint32_t)aName.length() + 1; /* The + 1 is the null terminator */
5917
5918 parm[1].type = VBOX_HGCM_SVC_PARM_PTR;
5919 parm[1].u.pointer.addr = szBuffer;
5920 parm[1].u.pointer.size = sizeof(szBuffer);
5921
5922 parm[2].type = VBOX_HGCM_SVC_PARM_64BIT;
5923 parm[2].u.uint64 = 0;
5924
5925 parm[3].type = VBOX_HGCM_SVC_PARM_32BIT;
5926 parm[3].u.uint32 = 0;
5927
5928 int vrc = m_pVMMDev->hgcmHostCall("VBoxGuestPropSvc", GET_PROP_HOST,
5929 4, &parm[0]);
5930 /* The returned string should never be able to be greater than our buffer */
5931 AssertLogRel(vrc != VERR_BUFFER_OVERFLOW);
5932 AssertLogRel(RT_FAILURE(vrc) || parm[2].type == VBOX_HGCM_SVC_PARM_64BIT);
5933 if (RT_SUCCESS(vrc))
5934 {
5935 *aValue = szBuffer;
5936
5937 if (aTimestamp)
5938 *aTimestamp = parm[2].u.uint64;
5939
5940 if (aFlags)
5941 *aFlags = &szBuffer[strlen(szBuffer) + 1];
5942
5943 rc = S_OK;
5944 }
5945 else if (vrc == VERR_NOT_FOUND)
5946 {
5947 *aValue = "";
5948 rc = S_OK;
5949 }
5950 else
5951 rc = setError(VBOX_E_IPRT_ERROR,
5952 tr("The VBoxGuestPropSvc service call failed with the error %Rrc"),
5953 vrc);
5954 }
5955 catch(std::bad_alloc & /*e*/)
5956 {
5957 rc = E_OUTOFMEMORY;
5958 }
5959
5960 return rc;
5961#endif /* VBOX_WITH_GUEST_PROPS */
5962}
5963
5964/**
5965 * @note Temporarily locks this object for writing.
5966 */
5967HRESULT Console::i_setGuestProperty(const Utf8Str &aName, const Utf8Str &aValue, const Utf8Str &aFlags)
5968{
5969#ifndef VBOX_WITH_GUEST_PROPS
5970 ReturnComNotImplemented();
5971#else /* VBOX_WITH_GUEST_PROPS */
5972
5973 AutoCaller autoCaller(this);
5974 AssertComRCReturnRC(autoCaller.rc());
5975
5976 /* protect mpUVM (if not NULL) */
5977 SafeVMPtrQuiet ptrVM(this);
5978 if (FAILED(ptrVM.rc()))
5979 return ptrVM.rc();
5980
5981 /* Note: validity of mVMMDev which is bound to uninit() is guaranteed by
5982 * ptrVM, so there is no need to hold a lock of this */
5983
5984 using namespace guestProp;
5985
5986 VBOXHGCMSVCPARM parm[3];
5987
5988 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
5989 parm[0].u.pointer.addr = (void*)aName.c_str();
5990 parm[0].u.pointer.size = (uint32_t)aName.length() + 1; /* The + 1 is the null terminator */
5991
5992 parm[1].type = VBOX_HGCM_SVC_PARM_PTR;
5993 parm[1].u.pointer.addr = (void *)aValue.c_str();
5994 parm[1].u.pointer.size = (uint32_t)aValue.length() + 1; /* The + 1 is the null terminator */
5995
5996 int vrc;
5997 if (aFlags.isEmpty())
5998 {
5999 vrc = m_pVMMDev->hgcmHostCall("VBoxGuestPropSvc", SET_PROP_VALUE_HOST,
6000 2, &parm[0]);
6001 }
6002 else
6003 {
6004 parm[2].type = VBOX_HGCM_SVC_PARM_PTR;
6005 parm[2].u.pointer.addr = (void*)aFlags.c_str();
6006 parm[2].u.pointer.size = (uint32_t)aFlags.length() + 1; /* The + 1 is the null terminator */
6007
6008 vrc = m_pVMMDev->hgcmHostCall("VBoxGuestPropSvc", SET_PROP_HOST,
6009 3, &parm[0]);
6010 }
6011
6012 HRESULT hrc = S_OK;
6013 if (RT_FAILURE(vrc))
6014 hrc = setError(VBOX_E_IPRT_ERROR, tr("The VBoxGuestPropSvc service call failed with the error %Rrc"), vrc);
6015 return hrc;
6016#endif /* VBOX_WITH_GUEST_PROPS */
6017}
6018
6019HRESULT Console::i_deleteGuestProperty(const Utf8Str &aName)
6020{
6021#ifndef VBOX_WITH_GUEST_PROPS
6022 ReturnComNotImplemented();
6023#else /* VBOX_WITH_GUEST_PROPS */
6024
6025 AutoCaller autoCaller(this);
6026 AssertComRCReturnRC(autoCaller.rc());
6027
6028 /* protect mpUVM (if not NULL) */
6029 SafeVMPtrQuiet ptrVM(this);
6030 if (FAILED(ptrVM.rc()))
6031 return ptrVM.rc();
6032
6033 /* Note: validity of mVMMDev which is bound to uninit() is guaranteed by
6034 * ptrVM, so there is no need to hold a lock of this */
6035
6036 using namespace guestProp;
6037
6038 VBOXHGCMSVCPARM parm[1];
6039
6040 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
6041 parm[0].u.pointer.addr = (void*)aName.c_str();
6042 parm[0].u.pointer.size = (uint32_t)aName.length() + 1; /* The + 1 is the null terminator */
6043
6044 int vrc = m_pVMMDev->hgcmHostCall("VBoxGuestPropSvc", DEL_PROP_HOST,
6045 1, &parm[0]);
6046
6047 HRESULT hrc = S_OK;
6048 if (RT_FAILURE(vrc))
6049 hrc = setError(VBOX_E_IPRT_ERROR, tr("The VBoxGuestPropSvc service call failed with the error %Rrc"), vrc);
6050 return hrc;
6051#endif /* VBOX_WITH_GUEST_PROPS */
6052}
6053
6054/**
6055 * @note Temporarily locks this object for writing.
6056 */
6057HRESULT Console::i_enumerateGuestProperties(const Utf8Str &aPatterns,
6058 std::vector<Utf8Str> &aNames,
6059 std::vector<Utf8Str> &aValues,
6060 std::vector<LONG64> &aTimestamps,
6061 std::vector<Utf8Str> &aFlags)
6062{
6063#ifndef VBOX_WITH_GUEST_PROPS
6064 ReturnComNotImplemented();
6065#else /* VBOX_WITH_GUEST_PROPS */
6066
6067 AutoCaller autoCaller(this);
6068 AssertComRCReturnRC(autoCaller.rc());
6069
6070 /* protect mpUVM (if not NULL) */
6071 AutoVMCallerWeak autoVMCaller(this);
6072 if (FAILED(autoVMCaller.rc()))
6073 return autoVMCaller.rc();
6074
6075 /* Note: validity of mVMMDev which is bound to uninit() is guaranteed by
6076 * autoVMCaller, so there is no need to hold a lock of this */
6077
6078 return i_doEnumerateGuestProperties(aPatterns, aNames, aValues, aTimestamps, aFlags);
6079#endif /* VBOX_WITH_GUEST_PROPS */
6080}
6081
6082
6083/*
6084 * Internal: helper function for connecting progress reporting
6085 */
6086static DECLCALLBACK(int) onlineMergeMediumProgress(void *pvUser, unsigned uPercentage)
6087{
6088 HRESULT rc = S_OK;
6089 IProgress *pProgress = static_cast<IProgress *>(pvUser);
6090 if (pProgress)
6091 rc = pProgress->SetCurrentOperationProgress(uPercentage);
6092 return SUCCEEDED(rc) ? VINF_SUCCESS : VERR_GENERAL_FAILURE;
6093}
6094
6095/**
6096 * @note Temporarily locks this object for writing. bird: And/or reading?
6097 */
6098HRESULT Console::i_onlineMergeMedium(IMediumAttachment *aMediumAttachment,
6099 ULONG aSourceIdx, ULONG aTargetIdx,
6100 IProgress *aProgress)
6101{
6102 AutoCaller autoCaller(this);
6103 AssertComRCReturnRC(autoCaller.rc());
6104
6105 HRESULT rc = S_OK;
6106 int vrc = VINF_SUCCESS;
6107
6108 /* Get the VM - must be done before the read-locking. */
6109 SafeVMPtr ptrVM(this);
6110 if (!ptrVM.isOk())
6111 return ptrVM.rc();
6112
6113 /* We will need to release the lock before doing the actual merge */
6114 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6115
6116 /* paranoia - we don't want merges to happen while teleporting etc. */
6117 switch (mMachineState)
6118 {
6119 case MachineState_DeletingSnapshotOnline:
6120 case MachineState_DeletingSnapshotPaused:
6121 break;
6122
6123 default:
6124 return i_setInvalidMachineStateError();
6125 }
6126
6127 /** @todo AssertComRC -> AssertComRCReturn! Could potentially end up
6128 * using uninitialized variables here. */
6129 BOOL fBuiltinIOCache;
6130 rc = mMachine->COMGETTER(IOCacheEnabled)(&fBuiltinIOCache);
6131 AssertComRC(rc);
6132 SafeIfaceArray<IStorageController> ctrls;
6133 rc = mMachine->COMGETTER(StorageControllers)(ComSafeArrayAsOutParam(ctrls));
6134 AssertComRC(rc);
6135 LONG lDev;
6136 rc = aMediumAttachment->COMGETTER(Device)(&lDev);
6137 AssertComRC(rc);
6138 LONG lPort;
6139 rc = aMediumAttachment->COMGETTER(Port)(&lPort);
6140 AssertComRC(rc);
6141 IMedium *pMedium;
6142 rc = aMediumAttachment->COMGETTER(Medium)(&pMedium);
6143 AssertComRC(rc);
6144 Bstr mediumLocation;
6145 if (pMedium)
6146 {
6147 rc = pMedium->COMGETTER(Location)(mediumLocation.asOutParam());
6148 AssertComRC(rc);
6149 }
6150
6151 Bstr attCtrlName;
6152 rc = aMediumAttachment->COMGETTER(Controller)(attCtrlName.asOutParam());
6153 AssertComRC(rc);
6154 ComPtr<IStorageController> pStorageController;
6155 for (size_t i = 0; i < ctrls.size(); ++i)
6156 {
6157 Bstr ctrlName;
6158 rc = ctrls[i]->COMGETTER(Name)(ctrlName.asOutParam());
6159 AssertComRC(rc);
6160 if (attCtrlName == ctrlName)
6161 {
6162 pStorageController = ctrls[i];
6163 break;
6164 }
6165 }
6166 if (pStorageController.isNull())
6167 return setError(E_FAIL,
6168 tr("Could not find storage controller '%ls'"),
6169 attCtrlName.raw());
6170
6171 StorageControllerType_T enmCtrlType;
6172 rc = pStorageController->COMGETTER(ControllerType)(&enmCtrlType);
6173 AssertComRC(rc);
6174 const char *pcszDevice = i_convertControllerTypeToDev(enmCtrlType);
6175
6176 StorageBus_T enmBus;
6177 rc = pStorageController->COMGETTER(Bus)(&enmBus);
6178 AssertComRC(rc);
6179 ULONG uInstance;
6180 rc = pStorageController->COMGETTER(Instance)(&uInstance);
6181 AssertComRC(rc);
6182 BOOL fUseHostIOCache;
6183 rc = pStorageController->COMGETTER(UseHostIOCache)(&fUseHostIOCache);
6184 AssertComRC(rc);
6185
6186 unsigned uLUN;
6187 rc = Console::i_convertBusPortDeviceToLun(enmBus, lPort, lDev, uLUN);
6188 AssertComRCReturnRC(rc);
6189
6190 Assert(mMachineState == MachineState_DeletingSnapshotOnline);
6191
6192 /* Pause the VM, as it might have pending IO on this drive */
6193 bool fResume = false;
6194 rc = i_suspendBeforeConfigChange(ptrVM.rawUVM(), &alock, &fResume);
6195 if (FAILED(rc))
6196 return rc;
6197
6198 bool fInsertDiskIntegrityDrv = false;
6199 Bstr strDiskIntegrityFlag;
6200 rc = mMachine->GetExtraData(Bstr("VBoxInternal2/EnableDiskIntegrityDriver").raw(),
6201 strDiskIntegrityFlag.asOutParam());
6202 if ( rc == S_OK
6203 && strDiskIntegrityFlag == "1")
6204 fInsertDiskIntegrityDrv = true;
6205
6206 alock.release();
6207 vrc = VMR3ReqCallWaitU(ptrVM.rawUVM(), VMCPUID_ANY,
6208 (PFNRT)i_reconfigureMediumAttachment, 14,
6209 this, ptrVM.rawUVM(), pcszDevice, uInstance, enmBus, fUseHostIOCache,
6210 fBuiltinIOCache, fInsertDiskIntegrityDrv, true /* fSetupMerge */,
6211 aSourceIdx, aTargetIdx, aMediumAttachment, mMachineState, &rc);
6212 /* error handling is after resuming the VM */
6213
6214 if (fResume)
6215 i_resumeAfterConfigChange(ptrVM.rawUVM());
6216
6217 if (RT_FAILURE(vrc))
6218 return setError(E_FAIL, tr("%Rrc"), vrc);
6219 if (FAILED(rc))
6220 return rc;
6221
6222 PPDMIBASE pIBase = NULL;
6223 PPDMIMEDIA pIMedium = NULL;
6224 vrc = PDMR3QueryDriverOnLun(ptrVM.rawUVM(), pcszDevice, uInstance, uLUN, "VD", &pIBase);
6225 if (RT_SUCCESS(vrc))
6226 {
6227 if (pIBase)
6228 {
6229 pIMedium = (PPDMIMEDIA)pIBase->pfnQueryInterface(pIBase, PDMIMEDIA_IID);
6230 if (!pIMedium)
6231 return setError(E_FAIL, tr("could not query medium interface of controller"));
6232 }
6233 else
6234 return setError(E_FAIL, tr("could not query base interface of controller"));
6235 }
6236
6237 /* Finally trigger the merge. */
6238 vrc = pIMedium->pfnMerge(pIMedium, onlineMergeMediumProgress, aProgress);
6239 if (RT_FAILURE(vrc))
6240 return setError(E_FAIL, tr("Failed to perform an online medium merge (%Rrc)"), vrc);
6241
6242 alock.acquire();
6243 /* Pause the VM, as it might have pending IO on this drive */
6244 rc = i_suspendBeforeConfigChange(ptrVM.rawUVM(), &alock, &fResume);
6245 if (FAILED(rc))
6246 return rc;
6247 alock.release();
6248
6249 /* Update medium chain and state now, so that the VM can continue. */
6250 rc = mControl->FinishOnlineMergeMedium();
6251
6252 vrc = VMR3ReqCallWaitU(ptrVM.rawUVM(), VMCPUID_ANY,
6253 (PFNRT)i_reconfigureMediumAttachment, 14,
6254 this, ptrVM.rawUVM(), pcszDevice, uInstance, enmBus, fUseHostIOCache,
6255 fBuiltinIOCache, fInsertDiskIntegrityDrv, false /* fSetupMerge */,
6256 0 /* uMergeSource */, 0 /* uMergeTarget */, aMediumAttachment,
6257 mMachineState, &rc);
6258 /* error handling is after resuming the VM */
6259
6260 if (fResume)
6261 i_resumeAfterConfigChange(ptrVM.rawUVM());
6262
6263 if (RT_FAILURE(vrc))
6264 return setError(E_FAIL, tr("%Rrc"), vrc);
6265 if (FAILED(rc))
6266 return rc;
6267
6268 return rc;
6269}
6270
6271HRESULT Console::i_reconfigureMediumAttachments(const std::vector<ComPtr<IMediumAttachment> > &aAttachments)
6272{
6273 HRESULT rc = S_OK;
6274
6275 AutoCaller autoCaller(this);
6276 if (FAILED(autoCaller.rc())) return autoCaller.rc();
6277
6278 /* get the VM handle. */
6279 SafeVMPtr ptrVM(this);
6280 if (!ptrVM.isOk())
6281 return ptrVM.rc();
6282
6283 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6284
6285 for (size_t i = 0; i < aAttachments.size(); ++i)
6286 {
6287 ComPtr<IStorageController> pStorageController;
6288 Bstr controllerName;
6289 ULONG lInstance;
6290 StorageControllerType_T enmController;
6291 StorageBus_T enmBus;
6292 BOOL fUseHostIOCache;
6293
6294 /*
6295 * We could pass the objects, but then EMT would have to do lots of
6296 * IPC (to VBoxSVC) which takes a significant amount of time.
6297 * Better query needed values here and pass them.
6298 */
6299 rc = aAttachments[i]->COMGETTER(Controller)(controllerName.asOutParam());
6300 if (FAILED(rc))
6301 throw rc;
6302
6303 rc = mMachine->GetStorageControllerByName(controllerName.raw(),
6304 pStorageController.asOutParam());
6305 if (FAILED(rc))
6306 throw rc;
6307
6308 rc = pStorageController->COMGETTER(ControllerType)(&enmController);
6309 if (FAILED(rc))
6310 throw rc;
6311 rc = pStorageController->COMGETTER(Instance)(&lInstance);
6312 if (FAILED(rc))
6313 throw rc;
6314 rc = pStorageController->COMGETTER(Bus)(&enmBus);
6315 if (FAILED(rc))
6316 throw rc;
6317 rc = pStorageController->COMGETTER(UseHostIOCache)(&fUseHostIOCache);
6318 if (FAILED(rc))
6319 throw rc;
6320
6321 const char *pcszDevice = i_convertControllerTypeToDev(enmController);
6322
6323 BOOL fBuiltinIOCache;
6324 rc = mMachine->COMGETTER(IOCacheEnabled)(&fBuiltinIOCache);
6325 if (FAILED(rc))
6326 throw rc;
6327
6328 bool fInsertDiskIntegrityDrv = false;
6329 Bstr strDiskIntegrityFlag;
6330 rc = mMachine->GetExtraData(Bstr("VBoxInternal2/EnableDiskIntegrityDriver").raw(),
6331 strDiskIntegrityFlag.asOutParam());
6332 if ( rc == S_OK
6333 && strDiskIntegrityFlag == "1")
6334 fInsertDiskIntegrityDrv = true;
6335
6336 alock.release();
6337
6338 IMediumAttachment *pAttachment = aAttachments[i];
6339 int vrc = VMR3ReqCallWaitU(ptrVM.rawUVM(), VMCPUID_ANY,
6340 (PFNRT)i_reconfigureMediumAttachment, 14,
6341 this, ptrVM.rawUVM(), pcszDevice, lInstance, enmBus, fUseHostIOCache,
6342 fBuiltinIOCache, fInsertDiskIntegrityDrv,
6343 false /* fSetupMerge */, 0 /* uMergeSource */, 0 /* uMergeTarget */,
6344 pAttachment, mMachineState, &rc);
6345 if (RT_FAILURE(vrc))
6346 throw setError(E_FAIL, tr("%Rrc"), vrc);
6347 if (FAILED(rc))
6348 throw rc;
6349
6350 alock.acquire();
6351 }
6352
6353 return rc;
6354}
6355
6356
6357/**
6358 * Load an HGCM service.
6359 *
6360 * Main purpose of this method is to allow extension packs to load HGCM
6361 * service modules, which they can't, because the HGCM functionality lives
6362 * in module VBoxC (and ConsoleImpl.cpp is part of it and thus can call it).
6363 * Extension modules must not link directly against VBoxC, (XP)COM is
6364 * handling this.
6365 */
6366int Console::i_hgcmLoadService(const char *pszServiceLibrary, const char *pszServiceName)
6367{
6368 /* Everyone seems to delegate all HGCM calls to VMMDev, so stick to this
6369 * convention. Adds one level of indirection for no obvious reason. */
6370 AssertPtrReturn(m_pVMMDev, VERR_INVALID_STATE);
6371 return m_pVMMDev->hgcmLoadService(pszServiceLibrary, pszServiceName);
6372}
6373
6374/**
6375 * Merely passes the call to Guest::enableVMMStatistics().
6376 */
6377void Console::i_enableVMMStatistics(BOOL aEnable)
6378{
6379 if (mGuest)
6380 mGuest->i_enableVMMStatistics(aEnable);
6381}
6382
6383/**
6384 * Worker for Console::Pause and internal entry point for pausing a VM for
6385 * a specific reason.
6386 */
6387HRESULT Console::i_pause(Reason_T aReason)
6388{
6389 LogFlowThisFuncEnter();
6390
6391 AutoCaller autoCaller(this);
6392 if (FAILED(autoCaller.rc())) return autoCaller.rc();
6393
6394 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6395
6396 switch (mMachineState)
6397 {
6398 case MachineState_Running:
6399 case MachineState_Teleporting:
6400 case MachineState_LiveSnapshotting:
6401 break;
6402
6403 case MachineState_Paused:
6404 case MachineState_TeleportingPausedVM:
6405 case MachineState_OnlineSnapshotting:
6406 /* Remove any keys which are supposed to be removed on a suspend. */
6407 if ( aReason == Reason_HostSuspend
6408 || aReason == Reason_HostBatteryLow)
6409 {
6410 i_removeSecretKeysOnSuspend();
6411 return S_OK;
6412 }
6413 return setError(VBOX_E_INVALID_VM_STATE, tr("Already paused"));
6414
6415 default:
6416 return i_setInvalidMachineStateError();
6417 }
6418
6419 /* get the VM handle. */
6420 SafeVMPtr ptrVM(this);
6421 if (!ptrVM.isOk())
6422 return ptrVM.rc();
6423
6424 /* release the lock before a VMR3* call (EMT might wait for it, @bugref{7648})! */
6425 alock.release();
6426
6427 LogFlowThisFunc(("Sending PAUSE request...\n"));
6428 if (aReason != Reason_Unspecified)
6429 LogRel(("Pausing VM execution, reason '%s'\n", Global::stringifyReason(aReason)));
6430
6431 /** @todo r=klaus make use of aReason */
6432 VMSUSPENDREASON enmReason = VMSUSPENDREASON_USER;
6433 if (aReason == Reason_HostSuspend)
6434 enmReason = VMSUSPENDREASON_HOST_SUSPEND;
6435 else if (aReason == Reason_HostBatteryLow)
6436 enmReason = VMSUSPENDREASON_HOST_BATTERY_LOW;
6437 int vrc = VMR3Suspend(ptrVM.rawUVM(), enmReason);
6438
6439 HRESULT hrc = S_OK;
6440 if (RT_FAILURE(vrc))
6441 hrc = setError(VBOX_E_VM_ERROR, tr("Could not suspend the machine execution (%Rrc)"), vrc);
6442 else if ( aReason == Reason_HostSuspend
6443 || aReason == Reason_HostBatteryLow)
6444 {
6445 alock.acquire();
6446 i_removeSecretKeysOnSuspend();
6447 }
6448
6449 LogFlowThisFunc(("hrc=%Rhrc\n", hrc));
6450 LogFlowThisFuncLeave();
6451 return hrc;
6452}
6453
6454/**
6455 * Worker for Console::Resume and internal entry point for resuming a VM for
6456 * a specific reason.
6457 */
6458HRESULT Console::i_resume(Reason_T aReason, AutoWriteLock &alock)
6459{
6460 LogFlowThisFuncEnter();
6461
6462 AutoCaller autoCaller(this);
6463 if (FAILED(autoCaller.rc())) return autoCaller.rc();
6464
6465 /* get the VM handle. */
6466 SafeVMPtr ptrVM(this);
6467 if (!ptrVM.isOk())
6468 return ptrVM.rc();
6469
6470 /* release the lock before a VMR3* call (EMT might wait for it, @bugref{7648})! */
6471 alock.release();
6472
6473 LogFlowThisFunc(("Sending RESUME request...\n"));
6474 if (aReason != Reason_Unspecified)
6475 LogRel(("Resuming VM execution, reason '%s'\n", Global::stringifyReason(aReason)));
6476
6477 int vrc;
6478 if (VMR3GetStateU(ptrVM.rawUVM()) == VMSTATE_CREATED)
6479 {
6480#ifdef VBOX_WITH_EXTPACK
6481 vrc = mptrExtPackManager->i_callAllVmPowerOnHooks(this, VMR3GetVM(ptrVM.rawUVM()));
6482#else
6483 vrc = VINF_SUCCESS;
6484#endif
6485 if (RT_SUCCESS(vrc))
6486 vrc = VMR3PowerOn(ptrVM.rawUVM()); /* (PowerUpPaused) */
6487 }
6488 else
6489 {
6490 VMRESUMEREASON enmReason;
6491 if (aReason == Reason_HostResume)
6492 {
6493 /*
6494 * Host resume may be called multiple times successively. We don't want to VMR3Resume->vmR3Resume->vmR3TrySetState()
6495 * to assert on us, hence check for the VM state here and bail if it's not in the 'suspended' state.
6496 * See @bugref{3495}.
6497 *
6498 * Also, don't resume the VM through a host-resume unless it was suspended due to a host-suspend.
6499 */
6500 if (VMR3GetStateU(ptrVM.rawUVM()) != VMSTATE_SUSPENDED)
6501 {
6502 LogRel(("Ignoring VM resume request, VM is currently not suspended\n"));
6503 return S_OK;
6504 }
6505 if (VMR3GetSuspendReason(ptrVM.rawUVM()) != VMSUSPENDREASON_HOST_SUSPEND)
6506 {
6507 LogRel(("Ignoring VM resume request, VM was not suspended due to host-suspend\n"));
6508 return S_OK;
6509 }
6510
6511 enmReason = VMRESUMEREASON_HOST_RESUME;
6512 }
6513 else
6514 {
6515 /*
6516 * Any other reason to resume the VM throws an error when the VM was suspended due to a host suspend.
6517 * See @bugref{7836}.
6518 */
6519 if ( VMR3GetStateU(ptrVM.rawUVM()) == VMSTATE_SUSPENDED
6520 && VMR3GetSuspendReason(ptrVM.rawUVM()) == VMSUSPENDREASON_HOST_SUSPEND)
6521 return setError(VBOX_E_INVALID_VM_STATE, tr("VM is paused due to host power management"));
6522
6523 enmReason = aReason == Reason_Snapshot ? VMRESUMEREASON_STATE_SAVED : VMRESUMEREASON_USER;
6524 }
6525
6526 // for snapshots: no state change callback, VBoxSVC does everything
6527 if (aReason == Reason_Snapshot)
6528 mVMStateChangeCallbackDisabled = true;
6529 vrc = VMR3Resume(ptrVM.rawUVM(), enmReason);
6530 if (aReason == Reason_Snapshot)
6531 mVMStateChangeCallbackDisabled = false;
6532 }
6533
6534 HRESULT rc = RT_SUCCESS(vrc) ? S_OK :
6535 setError(VBOX_E_VM_ERROR,
6536 tr("Could not resume the machine execution (%Rrc)"),
6537 vrc);
6538
6539 LogFlowThisFunc(("rc=%Rhrc\n", rc));
6540 LogFlowThisFuncLeave();
6541 return rc;
6542}
6543
6544/**
6545 * Internal entry point for saving state of a VM for a specific reason. This
6546 * method is completely synchronous.
6547 *
6548 * The machine state is already set appropriately. It is only changed when
6549 * saving state actually paused the VM (happens with live snapshots and
6550 * teleportation), and in this case reflects the now paused variant.
6551 *
6552 * @note Locks this object for writing.
6553 */
6554HRESULT Console::i_saveState(Reason_T aReason, const ComPtr<IProgress> &aProgress, const Utf8Str &aStateFilePath, bool aPauseVM, bool &aLeftPaused)
6555{
6556 LogFlowThisFuncEnter();
6557 aLeftPaused = false;
6558
6559 AssertReturn(!aProgress.isNull(), E_INVALIDARG);
6560 AssertReturn(!aStateFilePath.isEmpty(), E_INVALIDARG);
6561
6562 AutoCaller autoCaller(this);
6563 if (FAILED(autoCaller.rc())) return autoCaller.rc();
6564
6565 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6566
6567 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
6568 if ( mMachineState != MachineState_Saving
6569 && mMachineState != MachineState_LiveSnapshotting
6570 && mMachineState != MachineState_OnlineSnapshotting
6571 && mMachineState != MachineState_Teleporting
6572 && mMachineState != MachineState_TeleportingPausedVM)
6573 {
6574 return setError(VBOX_E_INVALID_VM_STATE,
6575 tr("Cannot save the execution state as the machine is not running or paused (machine state: %s)"),
6576 Global::stringifyMachineState(mMachineState));
6577 }
6578 bool fContinueAfterwards = mMachineState != MachineState_Saving;
6579
6580 Bstr strDisableSaveState;
6581 mMachine->GetExtraData(Bstr("VBoxInternal2/DisableSaveState").raw(), strDisableSaveState.asOutParam());
6582 if (strDisableSaveState == "1")
6583 return setError(VBOX_E_VM_ERROR,
6584 tr("Saving the execution state is disabled for this VM"));
6585
6586 if (aReason != Reason_Unspecified)
6587 LogRel(("Saving state of VM, reason '%s'\n", Global::stringifyReason(aReason)));
6588
6589 /* ensure the directory for the saved state file exists */
6590 {
6591 Utf8Str dir = aStateFilePath;
6592 dir.stripFilename();
6593 if (!RTDirExists(dir.c_str()))
6594 {
6595 int vrc = RTDirCreateFullPath(dir.c_str(), 0700);
6596 if (RT_FAILURE(vrc))
6597 return setError(VBOX_E_FILE_ERROR,
6598 tr("Could not create a directory '%s' to save the state to (%Rrc)"),
6599 dir.c_str(), vrc);
6600 }
6601 }
6602
6603 /* Get the VM handle early, we need it in several places. */
6604 SafeVMPtr ptrVM(this);
6605 if (!ptrVM.isOk())
6606 return ptrVM.rc();
6607
6608 bool fPaused = false;
6609 if (aPauseVM)
6610 {
6611 /* release the lock before a VMR3* call (EMT might wait for it, @bugref{7648})! */
6612 alock.release();
6613 VMSUSPENDREASON enmReason = VMSUSPENDREASON_USER;
6614 if (aReason == Reason_HostSuspend)
6615 enmReason = VMSUSPENDREASON_HOST_SUSPEND;
6616 else if (aReason == Reason_HostBatteryLow)
6617 enmReason = VMSUSPENDREASON_HOST_BATTERY_LOW;
6618 int vrc = VMR3Suspend(ptrVM.rawUVM(), enmReason);
6619 alock.acquire();
6620
6621 if (RT_FAILURE(vrc))
6622 return setError(VBOX_E_VM_ERROR, tr("Could not suspend the machine execution (%Rrc)"), vrc);
6623 fPaused = true;
6624 }
6625
6626 LogFlowFunc(("Saving the state to '%s'...\n", aStateFilePath.c_str()));
6627
6628 mptrCancelableProgress = aProgress;
6629 alock.release();
6630 int vrc = VMR3Save(ptrVM.rawUVM(),
6631 aStateFilePath.c_str(),
6632 fContinueAfterwards,
6633 Console::i_stateProgressCallback,
6634 static_cast<IProgress *>(aProgress),
6635 &aLeftPaused);
6636 alock.acquire();
6637 mptrCancelableProgress.setNull();
6638 if (RT_FAILURE(vrc))
6639 {
6640 if (fPaused)
6641 {
6642 alock.release();
6643 VMR3Resume(ptrVM.rawUVM(), VMRESUMEREASON_STATE_RESTORED);
6644 alock.acquire();
6645 }
6646 return setError(E_FAIL, tr("Failed to save the machine state to '%s' (%Rrc)"),
6647 aStateFilePath.c_str(), vrc);
6648 }
6649 Assert(fContinueAfterwards || !aLeftPaused);
6650
6651 if (!fContinueAfterwards)
6652 {
6653 /*
6654 * The machine has been successfully saved, so power it down
6655 * (vmstateChangeCallback() will set state to Saved on success).
6656 * Note: we release the VM caller, otherwise it will deadlock.
6657 */
6658 ptrVM.release();
6659 alock.release();
6660 autoCaller.release();
6661 HRESULT rc = i_powerDown();
6662 AssertComRC(rc);
6663 autoCaller.add();
6664 alock.acquire();
6665 }
6666 else
6667 {
6668 if (fPaused)
6669 aLeftPaused = true;
6670 }
6671
6672 LogFlowFuncLeave();
6673 return S_OK;
6674}
6675
6676/**
6677 * Internal entry point for cancelling a VM save state.
6678 *
6679 * @note Locks this object for writing.
6680 */
6681HRESULT Console::i_cancelSaveState()
6682{
6683 LogFlowThisFuncEnter();
6684
6685 AutoCaller autoCaller(this);
6686 if (FAILED(autoCaller.rc())) return autoCaller.rc();
6687
6688 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6689
6690 /* Get the VM handle. */
6691 SafeVMPtr ptrVM(this);
6692 if (!ptrVM.isOk())
6693 return ptrVM.rc();
6694
6695 SSMR3Cancel(ptrVM.rawUVM());
6696
6697 LogFlowFuncLeave();
6698 return S_OK;
6699}
6700
6701#ifdef VBOX_WITH_AUDIO_VIDEOREC
6702/**
6703 * Sends audio (frame) data to the display's video capturing routines.
6704 *
6705 * @returns HRESULT
6706 * @param pvData Audio data to send.
6707 * @param cbData Size (in bytes) of audio data to send.
6708 * @param uTimestampMs Time stamp (in ms) of audio data.
6709 */
6710HRESULT Console::i_audioVideoRecSendAudio(const void *pvData, size_t cbData, uint64_t uTimestampMs)
6711{
6712 if (mDisplay)
6713 {
6714 int rc2 = mDisplay->i_videoCaptureSendAudio(pvData, cbData, uTimestampMs);
6715 AssertRC(rc2);
6716 }
6717
6718 return S_OK;
6719}
6720#endif /* VBOX_WITH_AUDIO_VIDEOREC */
6721
6722/**
6723 * Gets called by Session::UpdateMachineState()
6724 * (IInternalSessionControl::updateMachineState()).
6725 *
6726 * Must be called only in certain cases (see the implementation).
6727 *
6728 * @note Locks this object for writing.
6729 */
6730HRESULT Console::i_updateMachineState(MachineState_T aMachineState)
6731{
6732 AutoCaller autoCaller(this);
6733 AssertComRCReturnRC(autoCaller.rc());
6734
6735 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
6736
6737 AssertReturn( mMachineState == MachineState_Saving
6738 || mMachineState == MachineState_OnlineSnapshotting
6739 || mMachineState == MachineState_LiveSnapshotting
6740 || mMachineState == MachineState_DeletingSnapshotOnline
6741 || mMachineState == MachineState_DeletingSnapshotPaused
6742 || aMachineState == MachineState_Saving
6743 || aMachineState == MachineState_OnlineSnapshotting
6744 || aMachineState == MachineState_LiveSnapshotting
6745 || aMachineState == MachineState_DeletingSnapshotOnline
6746 || aMachineState == MachineState_DeletingSnapshotPaused
6747 , E_FAIL);
6748
6749 return i_setMachineStateLocally(aMachineState);
6750}
6751
6752/**
6753 * Gets called by Session::COMGETTER(NominalState)()
6754 * (IInternalSessionControl::getNominalState()).
6755 *
6756 * @note Locks this object for reading.
6757 */
6758HRESULT Console::i_getNominalState(MachineState_T &aNominalState)
6759{
6760 LogFlowThisFuncEnter();
6761
6762 AutoCaller autoCaller(this);
6763 AssertComRCReturnRC(autoCaller.rc());
6764
6765 /* Get the VM handle. */
6766 SafeVMPtr ptrVM(this);
6767 if (!ptrVM.isOk())
6768 return ptrVM.rc();
6769
6770 AutoReadLock alock(this COMMA_LOCKVAL_SRC_POS);
6771
6772 MachineState_T enmMachineState = MachineState_Null;
6773 VMSTATE enmVMState = VMR3GetStateU(ptrVM.rawUVM());
6774 switch (enmVMState)
6775 {
6776 case VMSTATE_CREATING:
6777 case VMSTATE_CREATED:
6778 case VMSTATE_POWERING_ON:
6779 enmMachineState = MachineState_Starting;
6780 break;
6781 case VMSTATE_LOADING:
6782 enmMachineState = MachineState_Restoring;
6783 break;
6784 case VMSTATE_RESUMING:
6785 case VMSTATE_SUSPENDING:
6786 case VMSTATE_SUSPENDING_LS:
6787 case VMSTATE_SUSPENDING_EXT_LS:
6788 case VMSTATE_SUSPENDED:
6789 case VMSTATE_SUSPENDED_LS:
6790 case VMSTATE_SUSPENDED_EXT_LS:
6791 enmMachineState = MachineState_Paused;
6792 break;
6793 case VMSTATE_RUNNING:
6794 case VMSTATE_RUNNING_LS:
6795 case VMSTATE_RUNNING_FT:
6796 case VMSTATE_RESETTING:
6797 case VMSTATE_RESETTING_LS:
6798 case VMSTATE_SOFT_RESETTING:
6799 case VMSTATE_SOFT_RESETTING_LS:
6800 case VMSTATE_DEBUGGING:
6801 case VMSTATE_DEBUGGING_LS:
6802 enmMachineState = MachineState_Running;
6803 break;
6804 case VMSTATE_SAVING:
6805 enmMachineState = MachineState_Saving;
6806 break;
6807 case VMSTATE_POWERING_OFF:
6808 case VMSTATE_POWERING_OFF_LS:
6809 case VMSTATE_DESTROYING:
6810 enmMachineState = MachineState_Stopping;
6811 break;
6812 case VMSTATE_OFF:
6813 case VMSTATE_OFF_LS:
6814 case VMSTATE_FATAL_ERROR:
6815 case VMSTATE_FATAL_ERROR_LS:
6816 case VMSTATE_LOAD_FAILURE:
6817 case VMSTATE_TERMINATED:
6818 enmMachineState = MachineState_PoweredOff;
6819 break;
6820 case VMSTATE_GURU_MEDITATION:
6821 case VMSTATE_GURU_MEDITATION_LS:
6822 enmMachineState = MachineState_Stuck;
6823 break;
6824 default:
6825 AssertMsgFailed(("%s\n", VMR3GetStateName(enmVMState)));
6826 enmMachineState = MachineState_PoweredOff;
6827 }
6828 aNominalState = enmMachineState;
6829
6830 LogFlowFuncLeave();
6831 return S_OK;
6832}
6833
6834void Console::i_onMousePointerShapeChange(bool fVisible, bool fAlpha,
6835 uint32_t xHot, uint32_t yHot,
6836 uint32_t width, uint32_t height,
6837 const uint8_t *pu8Shape,
6838 uint32_t cbShape)
6839{
6840#if 0
6841 LogFlowThisFuncEnter();
6842 LogFlowThisFunc(("fVisible=%d, fAlpha=%d, xHot = %d, yHot = %d, width=%d, height=%d, shape=%p\n",
6843 fVisible, fAlpha, xHot, yHot, width, height, pShape));
6844#endif
6845
6846 AutoCaller autoCaller(this);
6847 AssertComRCReturnVoid(autoCaller.rc());
6848
6849 if (!mMouse.isNull())
6850 mMouse->updateMousePointerShape(fVisible, fAlpha, xHot, yHot, width, height,
6851 pu8Shape, cbShape);
6852
6853 com::SafeArray<BYTE> shape(cbShape);
6854 if (pu8Shape)
6855 memcpy(shape.raw(), pu8Shape, cbShape);
6856 fireMousePointerShapeChangedEvent(mEventSource, fVisible, fAlpha, xHot, yHot, width, height, ComSafeArrayAsInParam(shape));
6857
6858#if 0
6859 LogFlowThisFuncLeave();
6860#endif
6861}
6862
6863void Console::i_onMouseCapabilityChange(BOOL supportsAbsolute, BOOL supportsRelative,
6864 BOOL supportsMT, BOOL needsHostCursor)
6865{
6866 LogFlowThisFunc(("supportsAbsolute=%d supportsRelative=%d needsHostCursor=%d\n",
6867 supportsAbsolute, supportsRelative, needsHostCursor));
6868
6869 AutoCaller autoCaller(this);
6870 AssertComRCReturnVoid(autoCaller.rc());
6871
6872 fireMouseCapabilityChangedEvent(mEventSource, supportsAbsolute, supportsRelative, supportsMT, needsHostCursor);
6873}
6874
6875void Console::i_onStateChange(MachineState_T machineState)
6876{
6877 AutoCaller autoCaller(this);
6878 AssertComRCReturnVoid(autoCaller.rc());
6879 fireStateChangedEvent(mEventSource, machineState);
6880}
6881
6882void Console::i_onAdditionsStateChange()
6883{
6884 AutoCaller autoCaller(this);
6885 AssertComRCReturnVoid(autoCaller.rc());
6886
6887 fireAdditionsStateChangedEvent(mEventSource);
6888}
6889
6890/**
6891 * @remarks This notification only is for reporting an incompatible
6892 * Guest Additions interface, *not* the Guest Additions version!
6893 *
6894 * The user will be notified inside the guest if new Guest
6895 * Additions are available (via VBoxTray/VBoxClient).
6896 */
6897void Console::i_onAdditionsOutdated()
6898{
6899 AutoCaller autoCaller(this);
6900 AssertComRCReturnVoid(autoCaller.rc());
6901
6902 /** @todo implement this */
6903}
6904
6905void Console::i_onKeyboardLedsChange(bool fNumLock, bool fCapsLock, bool fScrollLock)
6906{
6907 AutoCaller autoCaller(this);
6908 AssertComRCReturnVoid(autoCaller.rc());
6909
6910 fireKeyboardLedsChangedEvent(mEventSource, fNumLock, fCapsLock, fScrollLock);
6911}
6912
6913void Console::i_onUSBDeviceStateChange(IUSBDevice *aDevice, bool aAttached,
6914 IVirtualBoxErrorInfo *aError)
6915{
6916 AutoCaller autoCaller(this);
6917 AssertComRCReturnVoid(autoCaller.rc());
6918
6919 fireUSBDeviceStateChangedEvent(mEventSource, aDevice, aAttached, aError);
6920}
6921
6922void Console::i_onRuntimeError(BOOL aFatal, IN_BSTR aErrorID, IN_BSTR aMessage)
6923{
6924 AutoCaller autoCaller(this);
6925 AssertComRCReturnVoid(autoCaller.rc());
6926
6927 fireRuntimeErrorEvent(mEventSource, aFatal, aErrorID, aMessage);
6928}
6929
6930HRESULT Console::i_onShowWindow(BOOL aCheck, BOOL *aCanShow, LONG64 *aWinId)
6931{
6932 AssertReturn(aCanShow, E_POINTER);
6933 AssertReturn(aWinId, E_POINTER);
6934
6935 *aCanShow = FALSE;
6936 *aWinId = 0;
6937
6938 AutoCaller autoCaller(this);
6939 AssertComRCReturnRC(autoCaller.rc());
6940
6941 VBoxEventDesc evDesc;
6942 if (aCheck)
6943 {
6944 evDesc.init(mEventSource, VBoxEventType_OnCanShowWindow);
6945 BOOL fDelivered = evDesc.fire(5000); /* Wait up to 5 secs for delivery */
6946 //Assert(fDelivered);
6947 if (fDelivered)
6948 {
6949 ComPtr<IEvent> pEvent;
6950 evDesc.getEvent(pEvent.asOutParam());
6951 // bit clumsy
6952 ComPtr<ICanShowWindowEvent> pCanShowEvent = pEvent;
6953 if (pCanShowEvent)
6954 {
6955 BOOL fVetoed = FALSE;
6956 BOOL fApproved = FALSE;
6957 pCanShowEvent->IsVetoed(&fVetoed);
6958 pCanShowEvent->IsApproved(&fApproved);
6959 *aCanShow = fApproved || !fVetoed;
6960 }
6961 else
6962 {
6963 AssertFailed();
6964 *aCanShow = TRUE;
6965 }
6966 }
6967 else
6968 *aCanShow = TRUE;
6969 }
6970 else
6971 {
6972 evDesc.init(mEventSource, VBoxEventType_OnShowWindow, INT64_C(0));
6973 BOOL fDelivered = evDesc.fire(5000); /* Wait up to 5 secs for delivery */
6974 //Assert(fDelivered);
6975 if (fDelivered)
6976 {
6977 ComPtr<IEvent> pEvent;
6978 evDesc.getEvent(pEvent.asOutParam());
6979 ComPtr<IShowWindowEvent> pShowEvent = pEvent;
6980 if (pShowEvent)
6981 {
6982 LONG64 iEvWinId = 0;
6983 pShowEvent->COMGETTER(WinId)(&iEvWinId);
6984 if (iEvWinId != 0 && *aWinId == 0)
6985 *aWinId = iEvWinId;
6986 }
6987 else
6988 AssertFailed();
6989 }
6990 }
6991
6992 return S_OK;
6993}
6994
6995// private methods
6996////////////////////////////////////////////////////////////////////////////////
6997
6998/**
6999 * Increases the usage counter of the mpUVM pointer.
7000 *
7001 * Guarantees that VMR3Destroy() will not be called on it at least until
7002 * releaseVMCaller() is called.
7003 *
7004 * If this method returns a failure, the caller is not allowed to use mpUVM and
7005 * may return the failed result code to the upper level. This method sets the
7006 * extended error info on failure if \a aQuiet is false.
7007 *
7008 * Setting \a aQuiet to true is useful for methods that don't want to return
7009 * the failed result code to the caller when this method fails (e.g. need to
7010 * silently check for the mpUVM availability).
7011 *
7012 * When mpUVM is NULL but \a aAllowNullVM is true, a corresponding error will be
7013 * returned instead of asserting. Having it false is intended as a sanity check
7014 * for methods that have checked mMachineState and expect mpUVM *NOT* to be
7015 * NULL.
7016 *
7017 * @param aQuiet true to suppress setting error info
7018 * @param aAllowNullVM true to accept mpUVM being NULL and return a failure
7019 * (otherwise this method will assert if mpUVM is NULL)
7020 *
7021 * @note Locks this object for writing.
7022 */
7023HRESULT Console::i_addVMCaller(bool aQuiet /* = false */,
7024 bool aAllowNullVM /* = false */)
7025{
7026 RT_NOREF(aAllowNullVM);
7027 AutoCaller autoCaller(this);
7028 /** @todo Fix race during console/VM reference destruction, refer @bugref{6318}
7029 * comment 25. */
7030 if (FAILED(autoCaller.rc()))
7031 return autoCaller.rc();
7032
7033 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7034
7035 if (mVMDestroying)
7036 {
7037 /* powerDown() is waiting for all callers to finish */
7038 return aQuiet ? E_ACCESSDENIED : setError(E_ACCESSDENIED,
7039 tr("The virtual machine is being powered down"));
7040 }
7041
7042 if (mpUVM == NULL)
7043 {
7044 Assert(aAllowNullVM == true);
7045
7046 /* The machine is not powered up */
7047 return aQuiet ? E_ACCESSDENIED : setError(E_ACCESSDENIED,
7048 tr("The virtual machine is not powered up"));
7049 }
7050
7051 ++mVMCallers;
7052
7053 return S_OK;
7054}
7055
7056/**
7057 * Decreases the usage counter of the mpUVM pointer.
7058 *
7059 * Must always complete the addVMCaller() call after the mpUVM pointer is no
7060 * more necessary.
7061 *
7062 * @note Locks this object for writing.
7063 */
7064void Console::i_releaseVMCaller()
7065{
7066 AutoCaller autoCaller(this);
7067 AssertComRCReturnVoid(autoCaller.rc());
7068
7069 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7070
7071 AssertReturnVoid(mpUVM != NULL);
7072
7073 Assert(mVMCallers > 0);
7074 --mVMCallers;
7075
7076 if (mVMCallers == 0 && mVMDestroying)
7077 {
7078 /* inform powerDown() there are no more callers */
7079 RTSemEventSignal(mVMZeroCallersSem);
7080 }
7081}
7082
7083
7084HRESULT Console::i_safeVMPtrRetainer(PUVM *a_ppUVM, bool a_Quiet)
7085{
7086 *a_ppUVM = NULL;
7087
7088 AutoCaller autoCaller(this);
7089 AssertComRCReturnRC(autoCaller.rc());
7090 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7091
7092 /*
7093 * Repeat the checks done by addVMCaller.
7094 */
7095 if (mVMDestroying) /* powerDown() is waiting for all callers to finish */
7096 return a_Quiet
7097 ? E_ACCESSDENIED
7098 : setError(E_ACCESSDENIED, tr("The virtual machine is being powered down"));
7099 PUVM pUVM = mpUVM;
7100 if (!pUVM)
7101 return a_Quiet
7102 ? E_ACCESSDENIED
7103 : setError(E_ACCESSDENIED, tr("The virtual machine is powered off"));
7104
7105 /*
7106 * Retain a reference to the user mode VM handle and get the global handle.
7107 */
7108 uint32_t cRefs = VMR3RetainUVM(pUVM);
7109 if (cRefs == UINT32_MAX)
7110 return a_Quiet
7111 ? E_ACCESSDENIED
7112 : setError(E_ACCESSDENIED, tr("The virtual machine is powered off"));
7113
7114 /* done */
7115 *a_ppUVM = pUVM;
7116 return S_OK;
7117}
7118
7119void Console::i_safeVMPtrReleaser(PUVM *a_ppUVM)
7120{
7121 if (*a_ppUVM)
7122 VMR3ReleaseUVM(*a_ppUVM);
7123 *a_ppUVM = NULL;
7124}
7125
7126
7127/**
7128 * Initialize the release logging facility. In case something
7129 * goes wrong, there will be no release logging. Maybe in the future
7130 * we can add some logic to use different file names in this case.
7131 * Note that the logic must be in sync with Machine::DeleteSettings().
7132 */
7133HRESULT Console::i_consoleInitReleaseLog(const ComPtr<IMachine> aMachine)
7134{
7135 HRESULT hrc = S_OK;
7136
7137 Bstr logFolder;
7138 hrc = aMachine->COMGETTER(LogFolder)(logFolder.asOutParam());
7139 if (FAILED(hrc))
7140 return hrc;
7141
7142 Utf8Str logDir = logFolder;
7143
7144 /* make sure the Logs folder exists */
7145 Assert(logDir.length());
7146 if (!RTDirExists(logDir.c_str()))
7147 RTDirCreateFullPath(logDir.c_str(), 0700);
7148
7149 Utf8Str logFile = Utf8StrFmt("%s%cVBox.log",
7150 logDir.c_str(), RTPATH_DELIMITER);
7151 Utf8Str pngFile = Utf8StrFmt("%s%cVBox.png",
7152 logDir.c_str(), RTPATH_DELIMITER);
7153
7154 /*
7155 * Age the old log files
7156 * Rename .(n-1) to .(n), .(n-2) to .(n-1), ..., and the last log file to .1
7157 * Overwrite target files in case they exist.
7158 */
7159 ComPtr<IVirtualBox> pVirtualBox;
7160 aMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
7161 ComPtr<ISystemProperties> pSystemProperties;
7162 pVirtualBox->COMGETTER(SystemProperties)(pSystemProperties.asOutParam());
7163 ULONG cHistoryFiles = 3;
7164 pSystemProperties->COMGETTER(LogHistoryCount)(&cHistoryFiles);
7165 if (cHistoryFiles)
7166 {
7167 for (int i = cHistoryFiles-1; i >= 0; i--)
7168 {
7169 Utf8Str *files[] = { &logFile, &pngFile };
7170 Utf8Str oldName, newName;
7171
7172 for (unsigned int j = 0; j < RT_ELEMENTS(files); ++j)
7173 {
7174 if (i > 0)
7175 oldName = Utf8StrFmt("%s.%d", files[j]->c_str(), i);
7176 else
7177 oldName = *files[j];
7178 newName = Utf8StrFmt("%s.%d", files[j]->c_str(), i + 1);
7179 /* If the old file doesn't exist, delete the new file (if it
7180 * exists) to provide correct rotation even if the sequence is
7181 * broken */
7182 if ( RTFileRename(oldName.c_str(), newName.c_str(), RTFILEMOVE_FLAGS_REPLACE)
7183 == VERR_FILE_NOT_FOUND)
7184 RTFileDelete(newName.c_str());
7185 }
7186 }
7187 }
7188
7189 char szError[RTPATH_MAX + 128];
7190 int vrc = com::VBoxLogRelCreate("VM", logFile.c_str(),
7191 RTLOGFLAGS_PREFIX_TIME_PROG | RTLOGFLAGS_RESTRICT_GROUPS,
7192 "all all.restrict -default.restrict",
7193 "VBOX_RELEASE_LOG", RTLOGDEST_FILE,
7194 32768 /* cMaxEntriesPerGroup */,
7195 0 /* cHistory */, 0 /* uHistoryFileTime */,
7196 0 /* uHistoryFileSize */, szError, sizeof(szError));
7197 if (RT_FAILURE(vrc))
7198 hrc = setError(E_FAIL, tr("Failed to open release log (%s, %Rrc)"),
7199 szError, vrc);
7200
7201 /* If we've made any directory changes, flush the directory to increase
7202 the likelihood that the log file will be usable after a system panic.
7203
7204 Tip: Try 'export VBOX_RELEASE_LOG_FLAGS=flush' if the last bits of the log
7205 is missing. Just don't have too high hopes for this to help. */
7206 if (SUCCEEDED(hrc) || cHistoryFiles)
7207 RTDirFlush(logDir.c_str());
7208
7209 return hrc;
7210}
7211
7212/**
7213 * Common worker for PowerUp and PowerUpPaused.
7214 *
7215 * @returns COM status code.
7216 *
7217 * @param aProgress Where to return the progress object.
7218 * @param aPaused true if PowerUpPaused called.
7219 */
7220HRESULT Console::i_powerUp(IProgress **aProgress, bool aPaused)
7221{
7222 LogFlowThisFuncEnter();
7223
7224 CheckComArgOutPointerValid(aProgress);
7225
7226 AutoCaller autoCaller(this);
7227 if (FAILED(autoCaller.rc())) return autoCaller.rc();
7228
7229 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7230
7231 LogFlowThisFunc(("mMachineState=%d\n", mMachineState));
7232 HRESULT rc = S_OK;
7233 ComObjPtr<Progress> pPowerupProgress;
7234 bool fBeganPoweringUp = false;
7235
7236 LONG cOperations = 1;
7237 LONG ulTotalOperationsWeight = 1;
7238 VMPowerUpTask* task = NULL;
7239
7240 try
7241 {
7242 if (Global::IsOnlineOrTransient(mMachineState))
7243 throw setError(VBOX_E_INVALID_VM_STATE,
7244 tr("The virtual machine is already running or busy (machine state: %s)"),
7245 Global::stringifyMachineState(mMachineState));
7246
7247 /* Set up release logging as early as possible after the check if
7248 * there is already a running VM which we shouldn't disturb. */
7249 rc = i_consoleInitReleaseLog(mMachine);
7250 if (FAILED(rc))
7251 throw rc;
7252
7253#ifdef VBOX_OPENSSL_FIPS
7254 LogRel(("crypto: FIPS mode %s\n", FIPS_mode() ? "enabled" : "FAILED"));
7255#endif
7256
7257 /* test and clear the TeleporterEnabled property */
7258 BOOL fTeleporterEnabled;
7259 rc = mMachine->COMGETTER(TeleporterEnabled)(&fTeleporterEnabled);
7260 if (FAILED(rc))
7261 throw rc;
7262
7263#if 0 /** @todo we should save it afterwards, but that isn't necessarily a good idea. Find a better place for this (VBoxSVC). */
7264 if (fTeleporterEnabled)
7265 {
7266 rc = mMachine->COMSETTER(TeleporterEnabled)(FALSE);
7267 if (FAILED(rc))
7268 throw rc;
7269 }
7270#endif
7271
7272 /* test the FaultToleranceState property */
7273 FaultToleranceState_T enmFaultToleranceState;
7274 rc = mMachine->COMGETTER(FaultToleranceState)(&enmFaultToleranceState);
7275 if (FAILED(rc))
7276 throw rc;
7277 BOOL fFaultToleranceSyncEnabled = (enmFaultToleranceState == FaultToleranceState_Standby);
7278
7279 /* Create a progress object to track progress of this operation. Must
7280 * be done as early as possible (together with BeginPowerUp()) as this
7281 * is vital for communicating as much as possible early powerup
7282 * failure information to the API caller */
7283 pPowerupProgress.createObject();
7284 Bstr progressDesc;
7285 if (mMachineState == MachineState_Saved)
7286 progressDesc = tr("Restoring virtual machine");
7287 else if (fTeleporterEnabled)
7288 progressDesc = tr("Teleporting virtual machine");
7289 else if (fFaultToleranceSyncEnabled)
7290 progressDesc = tr("Fault Tolerance syncing of remote virtual machine");
7291 else
7292 progressDesc = tr("Starting virtual machine");
7293
7294 Bstr savedStateFile;
7295
7296 /*
7297 * Saved VMs will have to prove that their saved states seem kosher.
7298 */
7299 if (mMachineState == MachineState_Saved)
7300 {
7301 rc = mMachine->COMGETTER(StateFilePath)(savedStateFile.asOutParam());
7302 if (FAILED(rc))
7303 throw rc;
7304 ComAssertRet(!savedStateFile.isEmpty(), E_FAIL);
7305 int vrc = SSMR3ValidateFile(Utf8Str(savedStateFile).c_str(), false /* fChecksumIt */);
7306 if (RT_FAILURE(vrc))
7307 throw setError(VBOX_E_FILE_ERROR,
7308 tr("VM cannot start because the saved state file '%ls' is invalid (%Rrc). Delete the saved state prior to starting the VM"),
7309 savedStateFile.raw(), vrc);
7310 }
7311
7312 /* Read console data, including console shared folders, stored in the
7313 * saved state file (if not yet done).
7314 */
7315 rc = i_loadDataFromSavedState();
7316 if (FAILED(rc))
7317 throw rc;
7318
7319 /* Check all types of shared folders and compose a single list */
7320 SharedFolderDataMap sharedFolders;
7321 {
7322 /* first, insert global folders */
7323 for (SharedFolderDataMap::const_iterator it = m_mapGlobalSharedFolders.begin();
7324 it != m_mapGlobalSharedFolders.end();
7325 ++it)
7326 {
7327 const SharedFolderData &d = it->second;
7328 sharedFolders[it->first] = d;
7329 }
7330
7331 /* second, insert machine folders */
7332 for (SharedFolderDataMap::const_iterator it = m_mapMachineSharedFolders.begin();
7333 it != m_mapMachineSharedFolders.end();
7334 ++it)
7335 {
7336 const SharedFolderData &d = it->second;
7337 sharedFolders[it->first] = d;
7338 }
7339
7340 /* third, insert console folders */
7341 for (SharedFolderMap::const_iterator it = m_mapSharedFolders.begin();
7342 it != m_mapSharedFolders.end();
7343 ++it)
7344 {
7345 SharedFolder *pSF = it->second;
7346 AutoCaller sfCaller(pSF);
7347 AutoReadLock sfLock(pSF COMMA_LOCKVAL_SRC_POS);
7348 sharedFolders[it->first] = SharedFolderData(pSF->i_getHostPath(),
7349 pSF->i_isWritable(),
7350 pSF->i_isAutoMounted());
7351 }
7352 }
7353
7354
7355 /* Setup task object and thread to carry out the operation
7356 * asynchronously */
7357 try
7358 {
7359 task = new VMPowerUpTask(this, pPowerupProgress);
7360 if (!task->isOk())
7361 {
7362 throw E_FAIL;
7363 }
7364 }
7365 catch(...)
7366 {
7367 delete task;
7368 rc = setError(E_FAIL, "Could not create VMPowerUpTask object \n");
7369 throw rc;
7370 }
7371
7372 task->mConfigConstructor = i_configConstructor;
7373 task->mSharedFolders = sharedFolders;
7374 task->mStartPaused = aPaused;
7375 if (mMachineState == MachineState_Saved)
7376 task->mSavedStateFile = savedStateFile;
7377 task->mTeleporterEnabled = fTeleporterEnabled;
7378 task->mEnmFaultToleranceState = enmFaultToleranceState;
7379
7380 /* Reset differencing hard disks for which autoReset is true,
7381 * but only if the machine has no snapshots OR the current snapshot
7382 * is an OFFLINE snapshot; otherwise we would reset the current
7383 * differencing image of an ONLINE snapshot which contains the disk
7384 * state of the machine while it was previously running, but without
7385 * the corresponding machine state, which is equivalent to powering
7386 * off a running machine and not good idea
7387 */
7388 ComPtr<ISnapshot> pCurrentSnapshot;
7389 rc = mMachine->COMGETTER(CurrentSnapshot)(pCurrentSnapshot.asOutParam());
7390 if (FAILED(rc))
7391 throw rc;
7392
7393 BOOL fCurrentSnapshotIsOnline = false;
7394 if (pCurrentSnapshot)
7395 {
7396 rc = pCurrentSnapshot->COMGETTER(Online)(&fCurrentSnapshotIsOnline);
7397 if (FAILED(rc))
7398 throw rc;
7399 }
7400
7401 if (savedStateFile.isEmpty() && !fCurrentSnapshotIsOnline)
7402 {
7403 LogFlowThisFunc(("Looking for immutable images to reset\n"));
7404
7405 com::SafeIfaceArray<IMediumAttachment> atts;
7406 rc = mMachine->COMGETTER(MediumAttachments)(ComSafeArrayAsOutParam(atts));
7407 if (FAILED(rc))
7408 throw rc;
7409
7410 for (size_t i = 0;
7411 i < atts.size();
7412 ++i)
7413 {
7414 DeviceType_T devType;
7415 rc = atts[i]->COMGETTER(Type)(&devType);
7416 /** @todo later applies to floppies as well */
7417 if (devType == DeviceType_HardDisk)
7418 {
7419 ComPtr<IMedium> pMedium;
7420 rc = atts[i]->COMGETTER(Medium)(pMedium.asOutParam());
7421 if (FAILED(rc))
7422 throw rc;
7423
7424 /* needs autoreset? */
7425 BOOL autoReset = FALSE;
7426 rc = pMedium->COMGETTER(AutoReset)(&autoReset);
7427 if (FAILED(rc))
7428 throw rc;
7429
7430 if (autoReset)
7431 {
7432 ComPtr<IProgress> pResetProgress;
7433 rc = pMedium->Reset(pResetProgress.asOutParam());
7434 if (FAILED(rc))
7435 throw rc;
7436
7437 /* save for later use on the powerup thread */
7438 task->hardDiskProgresses.push_back(pResetProgress);
7439 }
7440 }
7441 }
7442 }
7443 else
7444 LogFlowThisFunc(("Machine has a current snapshot which is online, skipping immutable images reset\n"));
7445
7446 /* setup task object and thread to carry out the operation
7447 * asynchronously */
7448
7449#ifdef VBOX_WITH_EXTPACK
7450 mptrExtPackManager->i_dumpAllToReleaseLog();
7451#endif
7452
7453#ifdef RT_OS_SOLARIS
7454 /* setup host core dumper for the VM */
7455 Bstr value;
7456 HRESULT hrc = mMachine->GetExtraData(Bstr("VBoxInternal2/CoreDumpEnabled").raw(), value.asOutParam());
7457 if (SUCCEEDED(hrc) && value == "1")
7458 {
7459 Bstr coreDumpDir, coreDumpReplaceSys, coreDumpLive;
7460 mMachine->GetExtraData(Bstr("VBoxInternal2/CoreDumpDir").raw(), coreDumpDir.asOutParam());
7461 mMachine->GetExtraData(Bstr("VBoxInternal2/CoreDumpReplaceSystemDump").raw(), coreDumpReplaceSys.asOutParam());
7462 mMachine->GetExtraData(Bstr("VBoxInternal2/CoreDumpLive").raw(), coreDumpLive.asOutParam());
7463
7464 uint32_t fCoreFlags = 0;
7465 if ( coreDumpReplaceSys.isEmpty() == false
7466 && Utf8Str(coreDumpReplaceSys).toUInt32() == 1)
7467 fCoreFlags |= RTCOREDUMPER_FLAGS_REPLACE_SYSTEM_DUMP;
7468
7469 if ( coreDumpLive.isEmpty() == false
7470 && Utf8Str(coreDumpLive).toUInt32() == 1)
7471 fCoreFlags |= RTCOREDUMPER_FLAGS_LIVE_CORE;
7472
7473 Utf8Str strDumpDir(coreDumpDir);
7474 const char *pszDumpDir = strDumpDir.c_str();
7475 if ( pszDumpDir
7476 && *pszDumpDir == '\0')
7477 pszDumpDir = NULL;
7478
7479 int vrc;
7480 if ( pszDumpDir
7481 && !RTDirExists(pszDumpDir))
7482 {
7483 /*
7484 * Try create the directory.
7485 */
7486 vrc = RTDirCreateFullPath(pszDumpDir, 0700);
7487 if (RT_FAILURE(vrc))
7488 throw setError(E_FAIL, "Failed to setup CoreDumper. Couldn't create dump directory '%s' (%Rrc)\n",
7489 pszDumpDir, vrc);
7490 }
7491
7492 vrc = RTCoreDumperSetup(pszDumpDir, fCoreFlags);
7493 if (RT_FAILURE(vrc))
7494 throw setError(E_FAIL, "Failed to setup CoreDumper (%Rrc)", vrc);
7495 else
7496 LogRel(("CoreDumper setup successful. pszDumpDir=%s fFlags=%#x\n", pszDumpDir ? pszDumpDir : ".", fCoreFlags));
7497 }
7498#endif
7499
7500
7501 // If there is immutable drive the process that.
7502 VMPowerUpTask::ProgressList progresses(task->hardDiskProgresses);
7503 if (aProgress && progresses.size() > 0)
7504 {
7505 for (VMPowerUpTask::ProgressList::const_iterator it = progresses.begin(); it != progresses.end(); ++it)
7506 {
7507 ++cOperations;
7508 ulTotalOperationsWeight += 1;
7509 }
7510 rc = pPowerupProgress->init(static_cast<IConsole *>(this),
7511 progressDesc.raw(),
7512 TRUE, // Cancelable
7513 cOperations,
7514 ulTotalOperationsWeight,
7515 Bstr(tr("Starting Hard Disk operations")).raw(),
7516 1);
7517 AssertComRCReturnRC(rc);
7518 }
7519 else if ( mMachineState == MachineState_Saved
7520 || (!fTeleporterEnabled && !fFaultToleranceSyncEnabled))
7521 {
7522 rc = pPowerupProgress->init(static_cast<IConsole *>(this),
7523 progressDesc.raw(),
7524 FALSE /* aCancelable */);
7525 }
7526 else if (fTeleporterEnabled)
7527 {
7528 rc = pPowerupProgress->init(static_cast<IConsole *>(this),
7529 progressDesc.raw(),
7530 TRUE /* aCancelable */,
7531 3 /* cOperations */,
7532 10 /* ulTotalOperationsWeight */,
7533 Bstr(tr("Teleporting virtual machine")).raw(),
7534 1 /* ulFirstOperationWeight */);
7535 }
7536 else if (fFaultToleranceSyncEnabled)
7537 {
7538 rc = pPowerupProgress->init(static_cast<IConsole *>(this),
7539 progressDesc.raw(),
7540 TRUE /* aCancelable */,
7541 3 /* cOperations */,
7542 10 /* ulTotalOperationsWeight */,
7543 Bstr(tr("Fault Tolerance syncing of remote virtual machine")).raw(),
7544 1 /* ulFirstOperationWeight */);
7545 }
7546
7547 if (FAILED(rc))
7548 throw rc;
7549
7550 /* Tell VBoxSVC and Machine about the progress object so they can
7551 combine/proxy it to any openRemoteSession caller. */
7552 LogFlowThisFunc(("Calling BeginPowerUp...\n"));
7553 rc = mControl->BeginPowerUp(pPowerupProgress);
7554 if (FAILED(rc))
7555 {
7556 LogFlowThisFunc(("BeginPowerUp failed\n"));
7557 throw rc;
7558 }
7559 fBeganPoweringUp = true;
7560
7561 LogFlowThisFunc(("Checking if canceled...\n"));
7562 BOOL fCanceled;
7563 rc = pPowerupProgress->COMGETTER(Canceled)(&fCanceled);
7564 if (FAILED(rc))
7565 throw rc;
7566
7567 if (fCanceled)
7568 {
7569 LogFlowThisFunc(("Canceled in BeginPowerUp\n"));
7570 throw setError(E_FAIL, tr("Powerup was canceled"));
7571 }
7572 LogFlowThisFunc(("Not canceled yet.\n"));
7573
7574 /** @todo this code prevents starting a VM with unavailable bridged
7575 * networking interface. The only benefit is a slightly better error
7576 * message, which should be moved to the driver code. This is the
7577 * only reason why I left the code in for now. The driver allows
7578 * unavailable bridged networking interfaces in certain circumstances,
7579 * and this is sabotaged by this check. The VM will initially have no
7580 * network connectivity, but the user can fix this at runtime. */
7581#if 0
7582 /* the network cards will undergo a quick consistency check */
7583 for (ULONG slot = 0;
7584 slot < maxNetworkAdapters;
7585 ++slot)
7586 {
7587 ComPtr<INetworkAdapter> pNetworkAdapter;
7588 mMachine->GetNetworkAdapter(slot, pNetworkAdapter.asOutParam());
7589 BOOL enabled = FALSE;
7590 pNetworkAdapter->COMGETTER(Enabled)(&enabled);
7591 if (!enabled)
7592 continue;
7593
7594 NetworkAttachmentType_T netattach;
7595 pNetworkAdapter->COMGETTER(AttachmentType)(&netattach);
7596 switch (netattach)
7597 {
7598 case NetworkAttachmentType_Bridged:
7599 {
7600 /* a valid host interface must have been set */
7601 Bstr hostif;
7602 pNetworkAdapter->COMGETTER(HostInterface)(hostif.asOutParam());
7603 if (hostif.isEmpty())
7604 {
7605 throw setError(VBOX_E_HOST_ERROR,
7606 tr("VM cannot start because host interface networking requires a host interface name to be set"));
7607 }
7608 ComPtr<IVirtualBox> pVirtualBox;
7609 mMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
7610 ComPtr<IHost> pHost;
7611 pVirtualBox->COMGETTER(Host)(pHost.asOutParam());
7612 ComPtr<IHostNetworkInterface> pHostInterface;
7613 if (!SUCCEEDED(pHost->FindHostNetworkInterfaceByName(hostif.raw(),
7614 pHostInterface.asOutParam())))
7615 {
7616 throw setError(VBOX_E_HOST_ERROR,
7617 tr("VM cannot start because the host interface '%ls' does not exist"),
7618 hostif.raw());
7619 }
7620 break;
7621 }
7622 default:
7623 break;
7624 }
7625 }
7626#endif // 0
7627
7628
7629 /* setup task object and thread to carry out the operation
7630 * asynchronously */
7631 if (aProgress){
7632 rc = pPowerupProgress.queryInterfaceTo(aProgress);
7633 AssertComRCReturnRC(rc);
7634 }
7635
7636 rc = task->createThread();
7637
7638 if (FAILED(rc))
7639 throw rc;
7640
7641 /* finally, set the state: no right to fail in this method afterwards
7642 * since we've already started the thread and it is now responsible for
7643 * any error reporting and appropriate state change! */
7644 if (mMachineState == MachineState_Saved)
7645 i_setMachineState(MachineState_Restoring);
7646 else if (fTeleporterEnabled)
7647 i_setMachineState(MachineState_TeleportingIn);
7648 else if (enmFaultToleranceState == FaultToleranceState_Standby)
7649 i_setMachineState(MachineState_FaultTolerantSyncing);
7650 else
7651 i_setMachineState(MachineState_Starting);
7652 }
7653 catch (HRESULT aRC) { rc = aRC; }
7654
7655 if (FAILED(rc) && fBeganPoweringUp)
7656 {
7657
7658 /* The progress object will fetch the current error info */
7659 if (!pPowerupProgress.isNull())
7660 pPowerupProgress->i_notifyComplete(rc);
7661
7662 /* Save the error info across the IPC below. Can't be done before the
7663 * progress notification above, as saving the error info deletes it
7664 * from the current context, and thus the progress object wouldn't be
7665 * updated correctly. */
7666 ErrorInfoKeeper eik;
7667
7668 /* signal end of operation */
7669 mControl->EndPowerUp(rc);
7670 }
7671
7672 LogFlowThisFunc(("mMachineState=%d, rc=%Rhrc\n", mMachineState, rc));
7673 LogFlowThisFuncLeave();
7674 return rc;
7675}
7676
7677/**
7678 * Internal power off worker routine.
7679 *
7680 * This method may be called only at certain places with the following meaning
7681 * as shown below:
7682 *
7683 * - if the machine state is either Running or Paused, a normal
7684 * Console-initiated powerdown takes place (e.g. PowerDown());
7685 * - if the machine state is Saving, saveStateThread() has successfully done its
7686 * job;
7687 * - if the machine state is Starting or Restoring, powerUpThread() has failed
7688 * to start/load the VM;
7689 * - if the machine state is Stopping, the VM has powered itself off (i.e. not
7690 * as a result of the powerDown() call).
7691 *
7692 * Calling it in situations other than the above will cause unexpected behavior.
7693 *
7694 * Note that this method should be the only one that destroys mpUVM and sets it
7695 * to NULL.
7696 *
7697 * @param aProgress Progress object to run (may be NULL).
7698 *
7699 * @note Locks this object for writing.
7700 *
7701 * @note Never call this method from a thread that called addVMCaller() or
7702 * instantiated an AutoVMCaller object; first call releaseVMCaller() or
7703 * release(). Otherwise it will deadlock.
7704 */
7705HRESULT Console::i_powerDown(IProgress *aProgress /*= NULL*/)
7706{
7707 LogFlowThisFuncEnter();
7708
7709 AutoCaller autoCaller(this);
7710 AssertComRCReturnRC(autoCaller.rc());
7711
7712 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7713
7714 /* Total # of steps for the progress object. Must correspond to the
7715 * number of "advance percent count" comments in this method! */
7716 enum { StepCount = 7 };
7717 /* current step */
7718 ULONG step = 0;
7719
7720 HRESULT rc = S_OK;
7721 int vrc = VINF_SUCCESS;
7722
7723 /* sanity */
7724 Assert(mVMDestroying == false);
7725
7726 PUVM pUVM = mpUVM; Assert(pUVM != NULL);
7727 uint32_t cRefs = VMR3RetainUVM(pUVM); Assert(cRefs != UINT32_MAX); NOREF(cRefs);
7728
7729 AssertMsg( mMachineState == MachineState_Running
7730 || mMachineState == MachineState_Paused
7731 || mMachineState == MachineState_Stuck
7732 || mMachineState == MachineState_Starting
7733 || mMachineState == MachineState_Stopping
7734 || mMachineState == MachineState_Saving
7735 || mMachineState == MachineState_Restoring
7736 || mMachineState == MachineState_TeleportingPausedVM
7737 || mMachineState == MachineState_FaultTolerantSyncing
7738 || mMachineState == MachineState_TeleportingIn
7739 , ("Invalid machine state: %s\n", Global::stringifyMachineState(mMachineState)));
7740
7741 LogRel(("Console::powerDown(): A request to power off the VM has been issued (mMachineState=%s, InUninit=%d)\n",
7742 Global::stringifyMachineState(mMachineState), getObjectState().getState() == ObjectState::InUninit));
7743
7744 /* Check if we need to power off the VM. In case of mVMPoweredOff=true, the
7745 * VM has already powered itself off in vmstateChangeCallback() and is just
7746 * notifying Console about that. In case of Starting or Restoring,
7747 * powerUpThread() is calling us on failure, so the VM is already off at
7748 * that point. */
7749 if ( !mVMPoweredOff
7750 && ( mMachineState == MachineState_Starting
7751 || mMachineState == MachineState_Restoring
7752 || mMachineState == MachineState_FaultTolerantSyncing
7753 || mMachineState == MachineState_TeleportingIn)
7754 )
7755 mVMPoweredOff = true;
7756
7757 /*
7758 * Go to Stopping state if not already there.
7759 *
7760 * Note that we don't go from Saving/Restoring to Stopping because
7761 * vmstateChangeCallback() needs it to set the state to Saved on
7762 * VMSTATE_TERMINATED. In terms of protecting from inappropriate operations
7763 * while leaving the lock below, Saving or Restoring should be fine too.
7764 * Ditto for TeleportingPausedVM -> Teleported.
7765 */
7766 if ( mMachineState != MachineState_Saving
7767 && mMachineState != MachineState_Restoring
7768 && mMachineState != MachineState_Stopping
7769 && mMachineState != MachineState_TeleportingIn
7770 && mMachineState != MachineState_TeleportingPausedVM
7771 && mMachineState != MachineState_FaultTolerantSyncing
7772 )
7773 i_setMachineState(MachineState_Stopping);
7774
7775 /* ----------------------------------------------------------------------
7776 * DONE with necessary state changes, perform the power down actions (it's
7777 * safe to release the object lock now if needed)
7778 * ---------------------------------------------------------------------- */
7779
7780 if (mDisplay)
7781 {
7782 alock.release();
7783
7784 mDisplay->i_notifyPowerDown();
7785
7786 alock.acquire();
7787 }
7788
7789 /* Stop the VRDP server to prevent new clients connection while VM is being
7790 * powered off. */
7791 if (mConsoleVRDPServer)
7792 {
7793 LogFlowThisFunc(("Stopping VRDP server...\n"));
7794
7795 /* Leave the lock since EMT could call us back as addVMCaller() */
7796 alock.release();
7797
7798 mConsoleVRDPServer->Stop();
7799
7800 alock.acquire();
7801 }
7802
7803 /* advance percent count */
7804 if (aProgress)
7805 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount );
7806
7807
7808 /* ----------------------------------------------------------------------
7809 * Now, wait for all mpUVM callers to finish their work if there are still
7810 * some on other threads. NO methods that need mpUVM (or initiate other calls
7811 * that need it) may be called after this point
7812 * ---------------------------------------------------------------------- */
7813
7814 /* go to the destroying state to prevent from adding new callers */
7815 mVMDestroying = true;
7816
7817 if (mVMCallers > 0)
7818 {
7819 /* lazy creation */
7820 if (mVMZeroCallersSem == NIL_RTSEMEVENT)
7821 RTSemEventCreate(&mVMZeroCallersSem);
7822
7823 LogFlowThisFunc(("Waiting for mpUVM callers (%d) to drop to zero...\n", mVMCallers));
7824
7825 alock.release();
7826
7827 RTSemEventWait(mVMZeroCallersSem, RT_INDEFINITE_WAIT);
7828
7829 alock.acquire();
7830 }
7831
7832 /* advance percent count */
7833 if (aProgress)
7834 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount );
7835
7836 vrc = VINF_SUCCESS;
7837
7838 /*
7839 * Power off the VM if not already done that.
7840 * Leave the lock since EMT will call vmstateChangeCallback.
7841 *
7842 * Note that VMR3PowerOff() may fail here (invalid VMSTATE) if the
7843 * VM-(guest-)initiated power off happened in parallel a ms before this
7844 * call. So far, we let this error pop up on the user's side.
7845 */
7846 if (!mVMPoweredOff)
7847 {
7848 LogFlowThisFunc(("Powering off the VM...\n"));
7849 alock.release();
7850 vrc = VMR3PowerOff(pUVM);
7851#ifdef VBOX_WITH_EXTPACK
7852 mptrExtPackManager->i_callAllVmPowerOffHooks(this, VMR3GetVM(pUVM));
7853#endif
7854 alock.acquire();
7855 }
7856
7857 /* advance percent count */
7858 if (aProgress)
7859 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount );
7860
7861#ifdef VBOX_WITH_HGCM
7862 /* Shutdown HGCM services before destroying the VM. */
7863 if (m_pVMMDev)
7864 {
7865 LogFlowThisFunc(("Shutdown HGCM...\n"));
7866
7867 /* Leave the lock since EMT might wait for it and will call us back as addVMCaller() */
7868 alock.release();
7869
7870 m_pVMMDev->hgcmShutdown();
7871
7872 alock.acquire();
7873 }
7874
7875 /* advance percent count */
7876 if (aProgress)
7877 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount);
7878
7879#endif /* VBOX_WITH_HGCM */
7880
7881 LogFlowThisFunc(("Ready for VM destruction.\n"));
7882
7883 /* If we are called from Console::uninit(), then try to destroy the VM even
7884 * on failure (this will most likely fail too, but what to do?..) */
7885 if (RT_SUCCESS(vrc) || getObjectState().getState() == ObjectState::InUninit)
7886 {
7887 /* If the machine has a USB controller, release all USB devices
7888 * (symmetric to the code in captureUSBDevices()) */
7889 if (mfVMHasUsbController)
7890 {
7891 alock.release();
7892 i_detachAllUSBDevices(false /* aDone */);
7893 alock.acquire();
7894 }
7895
7896 /* Now we've got to destroy the VM as well. (mpUVM is not valid beyond
7897 * this point). We release the lock before calling VMR3Destroy() because
7898 * it will result into calling destructors of drivers associated with
7899 * Console children which may in turn try to lock Console (e.g. by
7900 * instantiating SafeVMPtr to access mpUVM). It's safe here because
7901 * mVMDestroying is set which should prevent any activity. */
7902
7903 /* Set mpUVM to NULL early just in case if some old code is not using
7904 * addVMCaller()/releaseVMCaller(). (We have our own ref on pUVM.) */
7905 VMR3ReleaseUVM(mpUVM);
7906 mpUVM = NULL;
7907
7908 LogFlowThisFunc(("Destroying the VM...\n"));
7909
7910 alock.release();
7911
7912 vrc = VMR3Destroy(pUVM);
7913
7914 /* take the lock again */
7915 alock.acquire();
7916
7917 /* advance percent count */
7918 if (aProgress)
7919 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount);
7920
7921 if (RT_SUCCESS(vrc))
7922 {
7923 LogFlowThisFunc(("Machine has been destroyed (mMachineState=%d)\n",
7924 mMachineState));
7925 /* Note: the Console-level machine state change happens on the
7926 * VMSTATE_TERMINATE state change in vmstateChangeCallback(). If
7927 * powerDown() is called from EMT (i.e. from vmstateChangeCallback()
7928 * on receiving VM-initiated VMSTATE_OFF), VMSTATE_TERMINATE hasn't
7929 * occurred yet. This is okay, because mMachineState is already
7930 * Stopping in this case, so any other attempt to call PowerDown()
7931 * will be rejected. */
7932 }
7933 else
7934 {
7935 /* bad bad bad, but what to do? (Give Console our UVM ref.) */
7936 mpUVM = pUVM;
7937 pUVM = NULL;
7938 rc = setError(VBOX_E_VM_ERROR,
7939 tr("Could not destroy the machine. (Error: %Rrc)"),
7940 vrc);
7941 }
7942
7943 /* Complete the detaching of the USB devices. */
7944 if (mfVMHasUsbController)
7945 {
7946 alock.release();
7947 i_detachAllUSBDevices(true /* aDone */);
7948 alock.acquire();
7949 }
7950
7951 /* advance percent count */
7952 if (aProgress)
7953 aProgress->SetCurrentOperationProgress(99 * (++step) / StepCount);
7954 }
7955 else
7956 {
7957 rc = setError(VBOX_E_VM_ERROR,
7958 tr("Could not power off the machine. (Error: %Rrc)"),
7959 vrc);
7960 }
7961
7962 /*
7963 * Finished with the destruction.
7964 *
7965 * Note that if something impossible happened and we've failed to destroy
7966 * the VM, mVMDestroying will remain true and mMachineState will be
7967 * something like Stopping, so most Console methods will return an error
7968 * to the caller.
7969 */
7970 if (pUVM != NULL)
7971 VMR3ReleaseUVM(pUVM);
7972 else
7973 mVMDestroying = false;
7974
7975 LogFlowThisFuncLeave();
7976 return rc;
7977}
7978
7979/**
7980 * @note Locks this object for writing.
7981 */
7982HRESULT Console::i_setMachineState(MachineState_T aMachineState,
7983 bool aUpdateServer /* = true */)
7984{
7985 AutoCaller autoCaller(this);
7986 AssertComRCReturnRC(autoCaller.rc());
7987
7988 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
7989
7990 HRESULT rc = S_OK;
7991
7992 if (mMachineState != aMachineState)
7993 {
7994 LogThisFunc(("machineState=%s -> %s aUpdateServer=%RTbool\n",
7995 Global::stringifyMachineState(mMachineState), Global::stringifyMachineState(aMachineState), aUpdateServer));
7996 LogRel(("Console: Machine state changed to '%s'\n", Global::stringifyMachineState(aMachineState)));
7997 mMachineState = aMachineState;
7998
7999 /// @todo (dmik)
8000 // possibly, we need to redo onStateChange() using the dedicated
8001 // Event thread, like it is done in VirtualBox. This will make it
8002 // much safer (no deadlocks possible if someone tries to use the
8003 // console from the callback), however, listeners will lose the
8004 // ability to synchronously react to state changes (is it really
8005 // necessary??)
8006 LogFlowThisFunc(("Doing onStateChange()...\n"));
8007 i_onStateChange(aMachineState);
8008 LogFlowThisFunc(("Done onStateChange()\n"));
8009
8010 if (aUpdateServer)
8011 {
8012 /* Server notification MUST be done from under the lock; otherwise
8013 * the machine state here and on the server might go out of sync
8014 * which can lead to various unexpected results (like the machine
8015 * state being >= MachineState_Running on the server, while the
8016 * session state is already SessionState_Unlocked at the same time
8017 * there).
8018 *
8019 * Cross-lock conditions should be carefully watched out: calling
8020 * UpdateState we will require Machine and SessionMachine locks
8021 * (remember that here we're holding the Console lock here, and also
8022 * all locks that have been acquire by the thread before calling
8023 * this method).
8024 */
8025 LogFlowThisFunc(("Doing mControl->UpdateState()...\n"));
8026 rc = mControl->UpdateState(aMachineState);
8027 LogFlowThisFunc(("mControl->UpdateState()=%Rhrc\n", rc));
8028 }
8029 }
8030
8031 return rc;
8032}
8033
8034/**
8035 * Searches for a shared folder with the given logical name
8036 * in the collection of shared folders.
8037 *
8038 * @param strName logical name of the shared folder
8039 * @param aSharedFolder where to return the found object
8040 * @param aSetError whether to set the error info if the folder is
8041 * not found
8042 * @return
8043 * S_OK when found or E_INVALIDARG when not found
8044 *
8045 * @note The caller must lock this object for writing.
8046 */
8047HRESULT Console::i_findSharedFolder(const Utf8Str &strName,
8048 ComObjPtr<SharedFolder> &aSharedFolder,
8049 bool aSetError /* = false */)
8050{
8051 /* sanity check */
8052 AssertReturn(isWriteLockOnCurrentThread(), E_FAIL);
8053
8054 SharedFolderMap::const_iterator it = m_mapSharedFolders.find(strName);
8055 if (it != m_mapSharedFolders.end())
8056 {
8057 aSharedFolder = it->second;
8058 return S_OK;
8059 }
8060
8061 if (aSetError)
8062 setError(VBOX_E_FILE_ERROR,
8063 tr("Could not find a shared folder named '%s'."),
8064 strName.c_str());
8065
8066 return VBOX_E_FILE_ERROR;
8067}
8068
8069/**
8070 * Fetches the list of global or machine shared folders from the server.
8071 *
8072 * @param aGlobal true to fetch global folders.
8073 *
8074 * @note The caller must lock this object for writing.
8075 */
8076HRESULT Console::i_fetchSharedFolders(BOOL aGlobal)
8077{
8078 /* sanity check */
8079 AssertReturn( getObjectState().getState() == ObjectState::InInit
8080 || isWriteLockOnCurrentThread(), E_FAIL);
8081
8082 LogFlowThisFunc(("Entering\n"));
8083
8084 /* Check if we're online and keep it that way. */
8085 SafeVMPtrQuiet ptrVM(this);
8086 AutoVMCallerQuietWeak autoVMCaller(this);
8087 bool const online = ptrVM.isOk()
8088 && m_pVMMDev
8089 && m_pVMMDev->isShFlActive();
8090
8091 HRESULT rc = S_OK;
8092
8093 try
8094 {
8095 if (aGlobal)
8096 {
8097 /// @todo grab & process global folders when they are done
8098 }
8099 else
8100 {
8101 SharedFolderDataMap oldFolders;
8102 if (online)
8103 oldFolders = m_mapMachineSharedFolders;
8104
8105 m_mapMachineSharedFolders.clear();
8106
8107 SafeIfaceArray<ISharedFolder> folders;
8108 rc = mMachine->COMGETTER(SharedFolders)(ComSafeArrayAsOutParam(folders));
8109 if (FAILED(rc)) throw rc;
8110
8111 for (size_t i = 0; i < folders.size(); ++i)
8112 {
8113 ComPtr<ISharedFolder> pSharedFolder = folders[i];
8114
8115 Bstr bstrName;
8116 Bstr bstrHostPath;
8117 BOOL writable;
8118 BOOL autoMount;
8119
8120 rc = pSharedFolder->COMGETTER(Name)(bstrName.asOutParam());
8121 if (FAILED(rc)) throw rc;
8122 Utf8Str strName(bstrName);
8123
8124 rc = pSharedFolder->COMGETTER(HostPath)(bstrHostPath.asOutParam());
8125 if (FAILED(rc)) throw rc;
8126 Utf8Str strHostPath(bstrHostPath);
8127
8128 rc = pSharedFolder->COMGETTER(Writable)(&writable);
8129 if (FAILED(rc)) throw rc;
8130
8131 rc = pSharedFolder->COMGETTER(AutoMount)(&autoMount);
8132 if (FAILED(rc)) throw rc;
8133
8134 m_mapMachineSharedFolders.insert(std::make_pair(strName,
8135 SharedFolderData(strHostPath, !!writable, !!autoMount)));
8136
8137 /* send changes to HGCM if the VM is running */
8138 if (online)
8139 {
8140 SharedFolderDataMap::iterator it = oldFolders.find(strName);
8141 if ( it == oldFolders.end()
8142 || it->second.m_strHostPath != strHostPath)
8143 {
8144 /* a new machine folder is added or
8145 * the existing machine folder is changed */
8146 if (m_mapSharedFolders.find(strName) != m_mapSharedFolders.end())
8147 ; /* the console folder exists, nothing to do */
8148 else
8149 {
8150 /* remove the old machine folder (when changed)
8151 * or the global folder if any (when new) */
8152 if ( it != oldFolders.end()
8153 || m_mapGlobalSharedFolders.find(strName) != m_mapGlobalSharedFolders.end()
8154 )
8155 {
8156 rc = i_removeSharedFolder(strName);
8157 if (FAILED(rc)) throw rc;
8158 }
8159
8160 /* create the new machine folder */
8161 rc = i_createSharedFolder(strName,
8162 SharedFolderData(strHostPath, !!writable, !!autoMount));
8163 if (FAILED(rc)) throw rc;
8164 }
8165 }
8166 /* forget the processed (or identical) folder */
8167 if (it != oldFolders.end())
8168 oldFolders.erase(it);
8169 }
8170 }
8171
8172 /* process outdated (removed) folders */
8173 if (online)
8174 {
8175 for (SharedFolderDataMap::const_iterator it = oldFolders.begin();
8176 it != oldFolders.end(); ++it)
8177 {
8178 if (m_mapSharedFolders.find(it->first) != m_mapSharedFolders.end())
8179 ; /* the console folder exists, nothing to do */
8180 else
8181 {
8182 /* remove the outdated machine folder */
8183 rc = i_removeSharedFolder(it->first);
8184 if (FAILED(rc)) throw rc;
8185
8186 /* create the global folder if there is any */
8187 SharedFolderDataMap::const_iterator git =
8188 m_mapGlobalSharedFolders.find(it->first);
8189 if (git != m_mapGlobalSharedFolders.end())
8190 {
8191 rc = i_createSharedFolder(git->first, git->second);
8192 if (FAILED(rc)) throw rc;
8193 }
8194 }
8195 }
8196 }
8197 }
8198 }
8199 catch (HRESULT rc2)
8200 {
8201 rc = rc2;
8202 if (online)
8203 i_atVMRuntimeErrorCallbackF(0, "BrokenSharedFolder", N_("Broken shared folder!"));
8204 }
8205
8206 LogFlowThisFunc(("Leaving\n"));
8207
8208 return rc;
8209}
8210
8211/**
8212 * Searches for a shared folder with the given name in the list of machine
8213 * shared folders and then in the list of the global shared folders.
8214 *
8215 * @param strName Name of the folder to search for.
8216 * @param aIt Where to store the pointer to the found folder.
8217 * @return @c true if the folder was found and @c false otherwise.
8218 *
8219 * @note The caller must lock this object for reading.
8220 */
8221bool Console::i_findOtherSharedFolder(const Utf8Str &strName,
8222 SharedFolderDataMap::const_iterator &aIt)
8223{
8224 /* sanity check */
8225 AssertReturn(isWriteLockOnCurrentThread(), false);
8226
8227 /* first, search machine folders */
8228 aIt = m_mapMachineSharedFolders.find(strName);
8229 if (aIt != m_mapMachineSharedFolders.end())
8230 return true;
8231
8232 /* second, search machine folders */
8233 aIt = m_mapGlobalSharedFolders.find(strName);
8234 if (aIt != m_mapGlobalSharedFolders.end())
8235 return true;
8236
8237 return false;
8238}
8239
8240/**
8241 * Calls the HGCM service to add a shared folder definition.
8242 *
8243 * @param strName Shared folder name.
8244 * @param aData Shared folder data.
8245 *
8246 * @note Must be called from under AutoVMCaller and when mpUVM != NULL!
8247 * @note Doesn't lock anything.
8248 */
8249HRESULT Console::i_createSharedFolder(const Utf8Str &strName, const SharedFolderData &aData)
8250{
8251 ComAssertRet(strName.isNotEmpty(), E_FAIL);
8252 ComAssertRet(aData.m_strHostPath.isNotEmpty(), E_FAIL);
8253
8254 /* sanity checks */
8255 AssertReturn(mpUVM, E_FAIL);
8256 AssertReturn(m_pVMMDev && m_pVMMDev->isShFlActive(), E_FAIL);
8257
8258 VBOXHGCMSVCPARM parms[SHFL_CPARMS_ADD_MAPPING];
8259 SHFLSTRING *pFolderName, *pMapName;
8260 size_t cbString;
8261
8262 Bstr value;
8263 HRESULT hrc = mMachine->GetExtraData(BstrFmt("VBoxInternal2/SharedFoldersEnableSymlinksCreate/%s",
8264 strName.c_str()).raw(),
8265 value.asOutParam());
8266 bool fSymlinksCreate = hrc == S_OK && value == "1";
8267
8268 Log(("Adding shared folder '%s' -> '%s'\n", strName.c_str(), aData.m_strHostPath.c_str()));
8269
8270 // check whether the path is valid and exists
8271 char hostPathFull[RTPATH_MAX];
8272 int vrc = RTPathAbsEx(NULL,
8273 aData.m_strHostPath.c_str(),
8274 hostPathFull,
8275 sizeof(hostPathFull));
8276
8277 bool fMissing = false;
8278 if (RT_FAILURE(vrc))
8279 return setError(E_INVALIDARG,
8280 tr("Invalid shared folder path: '%s' (%Rrc)"),
8281 aData.m_strHostPath.c_str(), vrc);
8282 if (!RTPathExists(hostPathFull))
8283 fMissing = true;
8284
8285 /* Check whether the path is full (absolute) */
8286 if (RTPathCompare(aData.m_strHostPath.c_str(), hostPathFull) != 0)
8287 return setError(E_INVALIDARG,
8288 tr("Shared folder path '%s' is not absolute"),
8289 aData.m_strHostPath.c_str());
8290
8291 // now that we know the path is good, give it to HGCM
8292
8293 Bstr bstrName(strName);
8294 Bstr bstrHostPath(aData.m_strHostPath);
8295
8296 cbString = (bstrHostPath.length() + 1) * sizeof(RTUTF16);
8297 if (cbString >= UINT16_MAX)
8298 return setError(E_INVALIDARG, tr("The name is too long"));
8299 pFolderName = (SHFLSTRING*)RTMemAllocZ(SHFLSTRING_HEADER_SIZE + cbString);
8300 Assert(pFolderName);
8301 memcpy(pFolderName->String.ucs2, bstrHostPath.raw(), cbString);
8302
8303 pFolderName->u16Size = (uint16_t)cbString;
8304 pFolderName->u16Length = (uint16_t)(cbString - sizeof(RTUTF16));
8305
8306 parms[0].type = VBOX_HGCM_SVC_PARM_PTR;
8307 parms[0].u.pointer.addr = pFolderName;
8308 parms[0].u.pointer.size = ShflStringSizeOfBuffer(pFolderName);
8309
8310 cbString = (bstrName.length() + 1) * sizeof(RTUTF16);
8311 if (cbString >= UINT16_MAX)
8312 {
8313 RTMemFree(pFolderName);
8314 return setError(E_INVALIDARG, tr("The host path is too long"));
8315 }
8316 pMapName = (SHFLSTRING*)RTMemAllocZ(SHFLSTRING_HEADER_SIZE + cbString);
8317 Assert(pMapName);
8318 memcpy(pMapName->String.ucs2, bstrName.raw(), cbString);
8319
8320 pMapName->u16Size = (uint16_t)cbString;
8321 pMapName->u16Length = (uint16_t)(cbString - sizeof(RTUTF16));
8322
8323 parms[1].type = VBOX_HGCM_SVC_PARM_PTR;
8324 parms[1].u.pointer.addr = pMapName;
8325 parms[1].u.pointer.size = ShflStringSizeOfBuffer(pMapName);
8326
8327 parms[2].type = VBOX_HGCM_SVC_PARM_32BIT;
8328 parms[2].u.uint32 = (aData.m_fWritable ? SHFL_ADD_MAPPING_F_WRITABLE : 0)
8329 | (aData.m_fAutoMount ? SHFL_ADD_MAPPING_F_AUTOMOUNT : 0)
8330 | (fSymlinksCreate ? SHFL_ADD_MAPPING_F_CREATE_SYMLINKS : 0)
8331 | (fMissing ? SHFL_ADD_MAPPING_F_MISSING : 0)
8332 ;
8333
8334 vrc = m_pVMMDev->hgcmHostCall("VBoxSharedFolders",
8335 SHFL_FN_ADD_MAPPING,
8336 SHFL_CPARMS_ADD_MAPPING, &parms[0]);
8337 RTMemFree(pFolderName);
8338 RTMemFree(pMapName);
8339
8340 if (RT_FAILURE(vrc))
8341 return setError(E_FAIL,
8342 tr("Could not create a shared folder '%s' mapped to '%s' (%Rrc)"),
8343 strName.c_str(), aData.m_strHostPath.c_str(), vrc);
8344
8345 if (fMissing)
8346 return setError(E_INVALIDARG,
8347 tr("Shared folder path '%s' does not exist on the host"),
8348 aData.m_strHostPath.c_str());
8349
8350 return S_OK;
8351}
8352
8353/**
8354 * Calls the HGCM service to remove the shared folder definition.
8355 *
8356 * @param strName Shared folder name.
8357 *
8358 * @note Must be called from under AutoVMCaller and when mpUVM != NULL!
8359 * @note Doesn't lock anything.
8360 */
8361HRESULT Console::i_removeSharedFolder(const Utf8Str &strName)
8362{
8363 ComAssertRet(strName.isNotEmpty(), E_FAIL);
8364
8365 /* sanity checks */
8366 AssertReturn(mpUVM, E_FAIL);
8367 AssertReturn(m_pVMMDev && m_pVMMDev->isShFlActive(), E_FAIL);
8368
8369 VBOXHGCMSVCPARM parms;
8370 SHFLSTRING *pMapName;
8371 size_t cbString;
8372
8373 Log(("Removing shared folder '%s'\n", strName.c_str()));
8374
8375 Bstr bstrName(strName);
8376 cbString = (bstrName.length() + 1) * sizeof(RTUTF16);
8377 if (cbString >= UINT16_MAX)
8378 return setError(E_INVALIDARG, tr("The name is too long"));
8379 pMapName = (SHFLSTRING *) RTMemAllocZ(SHFLSTRING_HEADER_SIZE + cbString);
8380 Assert(pMapName);
8381 memcpy(pMapName->String.ucs2, bstrName.raw(), cbString);
8382
8383 pMapName->u16Size = (uint16_t)cbString;
8384 pMapName->u16Length = (uint16_t)(cbString - sizeof(RTUTF16));
8385
8386 parms.type = VBOX_HGCM_SVC_PARM_PTR;
8387 parms.u.pointer.addr = pMapName;
8388 parms.u.pointer.size = ShflStringSizeOfBuffer(pMapName);
8389
8390 int vrc = m_pVMMDev->hgcmHostCall("VBoxSharedFolders",
8391 SHFL_FN_REMOVE_MAPPING,
8392 1, &parms);
8393 RTMemFree(pMapName);
8394 if (RT_FAILURE(vrc))
8395 return setError(E_FAIL,
8396 tr("Could not remove the shared folder '%s' (%Rrc)"),
8397 strName.c_str(), vrc);
8398
8399 return S_OK;
8400}
8401
8402/** @callback_method_impl{FNVMATSTATE}
8403 *
8404 * @note Locks the Console object for writing.
8405 * @remarks The @a pUVM parameter can be NULL in one case where powerUpThread()
8406 * calls after the VM was destroyed.
8407 */
8408DECLCALLBACK(void) Console::i_vmstateChangeCallback(PUVM pUVM, VMSTATE enmState, VMSTATE enmOldState, void *pvUser)
8409{
8410 LogFlowFunc(("Changing state from %s to %s (pUVM=%p)\n",
8411 VMR3GetStateName(enmOldState), VMR3GetStateName(enmState), pUVM));
8412
8413 Console *that = static_cast<Console *>(pvUser);
8414 AssertReturnVoid(that);
8415
8416 AutoCaller autoCaller(that);
8417
8418 /* Note that we must let this method proceed even if Console::uninit() has
8419 * been already called. In such case this VMSTATE change is a result of:
8420 * 1) powerDown() called from uninit() itself, or
8421 * 2) VM-(guest-)initiated power off. */
8422 AssertReturnVoid( autoCaller.isOk()
8423 || that->getObjectState().getState() == ObjectState::InUninit);
8424
8425 switch (enmState)
8426 {
8427 /*
8428 * The VM has terminated
8429 */
8430 case VMSTATE_OFF:
8431 {
8432#ifdef VBOX_WITH_GUEST_PROPS
8433 if (that->i_isResetTurnedIntoPowerOff())
8434 {
8435 Bstr strPowerOffReason;
8436
8437 if (that->mfPowerOffCausedByReset)
8438 strPowerOffReason = Bstr("Reset");
8439 else
8440 strPowerOffReason = Bstr("PowerOff");
8441
8442 that->mMachine->DeleteGuestProperty(Bstr("/VirtualBox/HostInfo/VMPowerOffReason").raw());
8443 that->mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/VMPowerOffReason").raw(),
8444 strPowerOffReason.raw(), Bstr("RDONLYGUEST").raw());
8445 that->mMachine->SaveSettings();
8446 }
8447#endif
8448
8449 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8450
8451 if (that->mVMStateChangeCallbackDisabled)
8452 return;
8453
8454 /* Do we still think that it is running? It may happen if this is a
8455 * VM-(guest-)initiated shutdown/poweroff.
8456 */
8457 if ( that->mMachineState != MachineState_Stopping
8458 && that->mMachineState != MachineState_Saving
8459 && that->mMachineState != MachineState_Restoring
8460 && that->mMachineState != MachineState_TeleportingIn
8461 && that->mMachineState != MachineState_FaultTolerantSyncing
8462 && that->mMachineState != MachineState_TeleportingPausedVM
8463 && !that->mVMIsAlreadyPoweringOff
8464 )
8465 {
8466 LogFlowFunc(("VM has powered itself off but Console still thinks it is running. Notifying.\n"));
8467
8468 /*
8469 * Prevent powerDown() from calling VMR3PowerOff() again if this was called from
8470 * the power off state change.
8471 * When called from the Reset state make sure to call VMR3PowerOff() first.
8472 */
8473 Assert(that->mVMPoweredOff == false);
8474 that->mVMPoweredOff = true;
8475
8476 /*
8477 * request a progress object from the server
8478 * (this will set the machine state to Stopping on the server
8479 * to block others from accessing this machine)
8480 */
8481 ComPtr<IProgress> pProgress;
8482 HRESULT rc = that->mControl->BeginPoweringDown(pProgress.asOutParam());
8483 AssertComRC(rc);
8484
8485 /* sync the state with the server */
8486 that->i_setMachineStateLocally(MachineState_Stopping);
8487
8488 /* Setup task object and thread to carry out the operation
8489 * asynchronously (if we call powerDown() right here but there
8490 * is one or more mpUVM callers (added with addVMCaller()) we'll
8491 * deadlock).
8492 */
8493 VMPowerDownTask* task = NULL;
8494 try
8495 {
8496 task = new VMPowerDownTask(that, pProgress);
8497 /* If creating a task failed, this can currently mean one of
8498 * two: either Console::uninit() has been called just a ms
8499 * before (so a powerDown() call is already on the way), or
8500 * powerDown() itself is being already executed. Just do
8501 * nothing.
8502 */
8503 if (!task->isOk())
8504 {
8505 LogFlowFunc(("Console is already being uninitialized. \n"));
8506 throw E_FAIL;
8507 }
8508 }
8509 catch(...)
8510 {
8511 delete task;
8512 LogFlowFunc(("Problem with creating VMPowerDownTask object. \n"));
8513 }
8514
8515 rc = task->createThread();
8516
8517 if (FAILED(rc))
8518 {
8519 LogFlowFunc(("Problem with creating thread for VMPowerDownTask. \n"));
8520 }
8521
8522 }
8523 break;
8524 }
8525
8526 /* The VM has been completely destroyed.
8527 *
8528 * Note: This state change can happen at two points:
8529 * 1) At the end of VMR3Destroy() if it was not called from EMT.
8530 * 2) At the end of vmR3EmulationThread if VMR3Destroy() was
8531 * called by EMT.
8532 */
8533 case VMSTATE_TERMINATED:
8534 {
8535 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8536
8537 if (that->mVMStateChangeCallbackDisabled)
8538 break;
8539
8540 /* Terminate host interface networking. If pUVM is NULL, we've been
8541 * manually called from powerUpThread() either before calling
8542 * VMR3Create() or after VMR3Create() failed, so no need to touch
8543 * networking.
8544 */
8545 if (pUVM)
8546 that->i_powerDownHostInterfaces();
8547
8548 /* From now on the machine is officially powered down or remains in
8549 * the Saved state.
8550 */
8551 switch (that->mMachineState)
8552 {
8553 default:
8554 AssertFailed();
8555 /* fall through */
8556 case MachineState_Stopping:
8557 /* successfully powered down */
8558 that->i_setMachineState(MachineState_PoweredOff);
8559 break;
8560 case MachineState_Saving:
8561 /* successfully saved */
8562 that->i_setMachineState(MachineState_Saved);
8563 break;
8564 case MachineState_Starting:
8565 /* failed to start, but be patient: set back to PoweredOff
8566 * (for similarity with the below) */
8567 that->i_setMachineState(MachineState_PoweredOff);
8568 break;
8569 case MachineState_Restoring:
8570 /* failed to load the saved state file, but be patient: set
8571 * back to Saved (to preserve the saved state file) */
8572 that->i_setMachineState(MachineState_Saved);
8573 break;
8574 case MachineState_TeleportingIn:
8575 /* Teleportation failed or was canceled. Back to powered off. */
8576 that->i_setMachineState(MachineState_PoweredOff);
8577 break;
8578 case MachineState_TeleportingPausedVM:
8579 /* Successfully teleported the VM. */
8580 that->i_setMachineState(MachineState_Teleported);
8581 break;
8582 case MachineState_FaultTolerantSyncing:
8583 /* Fault tolerant sync failed or was canceled. Back to powered off. */
8584 that->i_setMachineState(MachineState_PoweredOff);
8585 break;
8586 }
8587 break;
8588 }
8589
8590 case VMSTATE_RESETTING:
8591 /** @todo shouldn't VMSTATE_RESETTING_LS be here? */
8592 {
8593#ifdef VBOX_WITH_GUEST_PROPS
8594 /* Do not take any read/write locks here! */
8595 that->i_guestPropertiesHandleVMReset();
8596#endif
8597 break;
8598 }
8599
8600 case VMSTATE_SOFT_RESETTING:
8601 case VMSTATE_SOFT_RESETTING_LS:
8602 /* Shouldn't do anything here! */
8603 break;
8604
8605 case VMSTATE_SUSPENDED:
8606 {
8607 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8608
8609 if (that->mVMStateChangeCallbackDisabled)
8610 break;
8611
8612 switch (that->mMachineState)
8613 {
8614 case MachineState_Teleporting:
8615 that->i_setMachineState(MachineState_TeleportingPausedVM);
8616 break;
8617
8618 case MachineState_LiveSnapshotting:
8619 that->i_setMachineState(MachineState_OnlineSnapshotting);
8620 break;
8621
8622 case MachineState_TeleportingPausedVM:
8623 case MachineState_Saving:
8624 case MachineState_Restoring:
8625 case MachineState_Stopping:
8626 case MachineState_TeleportingIn:
8627 case MachineState_FaultTolerantSyncing:
8628 case MachineState_OnlineSnapshotting:
8629 /* The worker thread handles the transition. */
8630 break;
8631
8632 case MachineState_Running:
8633 that->i_setMachineState(MachineState_Paused);
8634 break;
8635
8636 case MachineState_Paused:
8637 /* Nothing to do. */
8638 break;
8639
8640 default:
8641 AssertMsgFailed(("%s\n", Global::stringifyMachineState(that->mMachineState)));
8642 }
8643 break;
8644 }
8645
8646 case VMSTATE_SUSPENDED_LS:
8647 case VMSTATE_SUSPENDED_EXT_LS:
8648 {
8649 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8650 if (that->mVMStateChangeCallbackDisabled)
8651 break;
8652 switch (that->mMachineState)
8653 {
8654 case MachineState_Teleporting:
8655 that->i_setMachineState(MachineState_TeleportingPausedVM);
8656 break;
8657
8658 case MachineState_LiveSnapshotting:
8659 that->i_setMachineState(MachineState_OnlineSnapshotting);
8660 break;
8661
8662 case MachineState_TeleportingPausedVM:
8663 case MachineState_Saving:
8664 /* ignore */
8665 break;
8666
8667 default:
8668 AssertMsgFailed(("%s/%s -> %s\n", Global::stringifyMachineState(that->mMachineState),
8669 VMR3GetStateName(enmOldState), VMR3GetStateName(enmState) ));
8670 that->i_setMachineState(MachineState_Paused);
8671 break;
8672 }
8673 break;
8674 }
8675
8676 case VMSTATE_RUNNING:
8677 {
8678 if ( enmOldState == VMSTATE_POWERING_ON
8679 || enmOldState == VMSTATE_RESUMING
8680 || enmOldState == VMSTATE_RUNNING_FT)
8681 {
8682 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8683
8684 if (that->mVMStateChangeCallbackDisabled)
8685 break;
8686
8687 Assert( ( ( that->mMachineState == MachineState_Starting
8688 || that->mMachineState == MachineState_Paused)
8689 && enmOldState == VMSTATE_POWERING_ON)
8690 || ( ( that->mMachineState == MachineState_Restoring
8691 || that->mMachineState == MachineState_TeleportingIn
8692 || that->mMachineState == MachineState_Paused
8693 || that->mMachineState == MachineState_Saving
8694 )
8695 && enmOldState == VMSTATE_RESUMING)
8696 || ( that->mMachineState == MachineState_FaultTolerantSyncing
8697 && enmOldState == VMSTATE_RUNNING_FT));
8698
8699 that->i_setMachineState(MachineState_Running);
8700 }
8701
8702 break;
8703 }
8704
8705 case VMSTATE_RUNNING_LS:
8706 AssertMsg( that->mMachineState == MachineState_LiveSnapshotting
8707 || that->mMachineState == MachineState_Teleporting,
8708 ("%s/%s -> %s\n", Global::stringifyMachineState(that->mMachineState),
8709 VMR3GetStateName(enmOldState), VMR3GetStateName(enmState) ));
8710 break;
8711
8712 case VMSTATE_RUNNING_FT:
8713 AssertMsg(that->mMachineState == MachineState_FaultTolerantSyncing,
8714 ("%s/%s -> %s\n", Global::stringifyMachineState(that->mMachineState),
8715 VMR3GetStateName(enmOldState), VMR3GetStateName(enmState) ));
8716 break;
8717
8718 case VMSTATE_FATAL_ERROR:
8719 {
8720 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8721
8722 if (that->mVMStateChangeCallbackDisabled)
8723 break;
8724
8725 /* Fatal errors are only for running VMs. */
8726 Assert(Global::IsOnline(that->mMachineState));
8727
8728 /* Note! 'Pause' is used here in want of something better. There
8729 * are currently only two places where fatal errors might be
8730 * raised, so it is not worth adding a new externally
8731 * visible state for this yet. */
8732 that->i_setMachineState(MachineState_Paused);
8733 break;
8734 }
8735
8736 case VMSTATE_GURU_MEDITATION:
8737 {
8738 AutoWriteLock alock(that COMMA_LOCKVAL_SRC_POS);
8739
8740 if (that->mVMStateChangeCallbackDisabled)
8741 break;
8742
8743 /* Guru are only for running VMs */
8744 Assert(Global::IsOnline(that->mMachineState));
8745
8746 that->i_setMachineState(MachineState_Stuck);
8747 break;
8748 }
8749
8750 case VMSTATE_CREATED:
8751 {
8752 /*
8753 * We have to set the secret key helper interface for the VD drivers to
8754 * get notified about missing keys.
8755 */
8756 that->i_initSecretKeyIfOnAllAttachments();
8757 break;
8758 }
8759
8760 default: /* shut up gcc */
8761 break;
8762 }
8763}
8764
8765/**
8766 * Changes the clipboard mode.
8767 *
8768 * @param aClipboardMode new clipboard mode.
8769 */
8770void Console::i_changeClipboardMode(ClipboardMode_T aClipboardMode)
8771{
8772 VMMDev *pVMMDev = m_pVMMDev;
8773 Assert(pVMMDev);
8774
8775 VBOXHGCMSVCPARM parm;
8776 parm.type = VBOX_HGCM_SVC_PARM_32BIT;
8777
8778 switch (aClipboardMode)
8779 {
8780 default:
8781 case ClipboardMode_Disabled:
8782 LogRel(("Shared clipboard mode: Off\n"));
8783 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_OFF;
8784 break;
8785 case ClipboardMode_GuestToHost:
8786 LogRel(("Shared clipboard mode: Guest to Host\n"));
8787 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_GUEST_TO_HOST;
8788 break;
8789 case ClipboardMode_HostToGuest:
8790 LogRel(("Shared clipboard mode: Host to Guest\n"));
8791 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_HOST_TO_GUEST;
8792 break;
8793 case ClipboardMode_Bidirectional:
8794 LogRel(("Shared clipboard mode: Bidirectional\n"));
8795 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_BIDIRECTIONAL;
8796 break;
8797 }
8798
8799 pVMMDev->hgcmHostCall("VBoxSharedClipboard", VBOX_SHARED_CLIPBOARD_HOST_FN_SET_MODE, 1, &parm);
8800}
8801
8802/**
8803 * Changes the drag and drop mode.
8804 *
8805 * @param aDnDMode new drag and drop mode.
8806 */
8807int Console::i_changeDnDMode(DnDMode_T aDnDMode)
8808{
8809 VMMDev *pVMMDev = m_pVMMDev;
8810 AssertPtrReturn(pVMMDev, VERR_INVALID_POINTER);
8811
8812 VBOXHGCMSVCPARM parm;
8813 RT_ZERO(parm);
8814 parm.type = VBOX_HGCM_SVC_PARM_32BIT;
8815
8816 switch (aDnDMode)
8817 {
8818 default:
8819 case DnDMode_Disabled:
8820 LogRel(("Drag and drop mode: Off\n"));
8821 parm.u.uint32 = VBOX_DRAG_AND_DROP_MODE_OFF;
8822 break;
8823 case DnDMode_GuestToHost:
8824 LogRel(("Drag and drop mode: Guest to Host\n"));
8825 parm.u.uint32 = VBOX_DRAG_AND_DROP_MODE_GUEST_TO_HOST;
8826 break;
8827 case DnDMode_HostToGuest:
8828 LogRel(("Drag and drop mode: Host to Guest\n"));
8829 parm.u.uint32 = VBOX_DRAG_AND_DROP_MODE_HOST_TO_GUEST;
8830 break;
8831 case DnDMode_Bidirectional:
8832 LogRel(("Drag and drop mode: Bidirectional\n"));
8833 parm.u.uint32 = VBOX_DRAG_AND_DROP_MODE_BIDIRECTIONAL;
8834 break;
8835 }
8836
8837 int rc = pVMMDev->hgcmHostCall("VBoxDragAndDropSvc",
8838 DragAndDropSvc::HOST_DND_SET_MODE, 1 /* cParms */, &parm);
8839 if (RT_FAILURE(rc))
8840 LogRel(("Error changing drag and drop mode: %Rrc\n", rc));
8841
8842 return rc;
8843}
8844
8845#ifdef VBOX_WITH_USB
8846/**
8847 * Sends a request to VMM to attach the given host device.
8848 * After this method succeeds, the attached device will appear in the
8849 * mUSBDevices collection.
8850 *
8851 * @param aHostDevice device to attach
8852 *
8853 * @note Synchronously calls EMT.
8854 */
8855HRESULT Console::i_attachUSBDevice(IUSBDevice *aHostDevice, ULONG aMaskedIfs,
8856 const Utf8Str &aCaptureFilename)
8857{
8858 AssertReturn(aHostDevice, E_FAIL);
8859 AssertReturn(!isWriteLockOnCurrentThread(), E_FAIL);
8860
8861 HRESULT hrc;
8862
8863 /*
8864 * Get the address and the Uuid, and call the pfnCreateProxyDevice roothub
8865 * method in EMT (using usbAttachCallback()).
8866 */
8867 Bstr BstrAddress;
8868 hrc = aHostDevice->COMGETTER(Address)(BstrAddress.asOutParam());
8869 ComAssertComRCRetRC(hrc);
8870
8871 Utf8Str Address(BstrAddress);
8872
8873 Bstr id;
8874 hrc = aHostDevice->COMGETTER(Id)(id.asOutParam());
8875 ComAssertComRCRetRC(hrc);
8876 Guid uuid(id);
8877
8878 BOOL fRemote = FALSE;
8879 hrc = aHostDevice->COMGETTER(Remote)(&fRemote);
8880 ComAssertComRCRetRC(hrc);
8881
8882 Bstr BstrBackend;
8883 hrc = aHostDevice->COMGETTER(Backend)(BstrBackend.asOutParam());
8884 ComAssertComRCRetRC(hrc);
8885
8886 Utf8Str Backend(BstrBackend);
8887
8888 /* Get the VM handle. */
8889 SafeVMPtr ptrVM(this);
8890 if (!ptrVM.isOk())
8891 return ptrVM.rc();
8892
8893 LogFlowThisFunc(("Proxying USB device '%s' {%RTuuid}...\n",
8894 Address.c_str(), uuid.raw()));
8895
8896 void *pvRemoteBackend = NULL;
8897 if (fRemote)
8898 {
8899 RemoteUSBDevice *pRemoteUSBDevice = static_cast<RemoteUSBDevice *>(aHostDevice);
8900 pvRemoteBackend = i_consoleVRDPServer()->USBBackendRequestPointer(pRemoteUSBDevice->clientId(), &uuid);
8901 if (!pvRemoteBackend)
8902 return E_INVALIDARG; /* The clientId is invalid then. */
8903 }
8904
8905 USHORT portVersion = 0;
8906 hrc = aHostDevice->COMGETTER(PortVersion)(&portVersion);
8907 AssertComRCReturnRC(hrc);
8908 Assert(portVersion == 1 || portVersion == 2 || portVersion == 3);
8909
8910 int vrc = VMR3ReqCallWaitU(ptrVM.rawUVM(), 0 /* idDstCpu (saved state, see #6232) */,
8911 (PFNRT)i_usbAttachCallback, 10,
8912 this, ptrVM.rawUVM(), aHostDevice, uuid.raw(), Backend.c_str(),
8913 Address.c_str(), pvRemoteBackend, portVersion, aMaskedIfs,
8914 aCaptureFilename.isEmpty() ? NULL : aCaptureFilename.c_str());
8915 if (RT_SUCCESS(vrc))
8916 {
8917 /* Create a OUSBDevice and add it to the device list */
8918 ComObjPtr<OUSBDevice> pUSBDevice;
8919 pUSBDevice.createObject();
8920 hrc = pUSBDevice->init(aHostDevice);
8921 AssertComRC(hrc);
8922
8923 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
8924 mUSBDevices.push_back(pUSBDevice);
8925 LogFlowFunc(("Attached device {%RTuuid}\n", pUSBDevice->i_id().raw()));
8926
8927 /* notify callbacks */
8928 alock.release();
8929 i_onUSBDeviceStateChange(pUSBDevice, true /* aAttached */, NULL);
8930 }
8931 else
8932 {
8933 Log1WarningThisFunc(("Failed to create proxy device for '%s' {%RTuuid} (%Rrc)\n", Address.c_str(), uuid.raw(), vrc));
8934
8935 switch (vrc)
8936 {
8937 case VERR_VUSB_NO_PORTS:
8938 hrc = setError(E_FAIL, tr("Failed to attach the USB device. (No available ports on the USB controller)."));
8939 break;
8940 case VERR_VUSB_USBFS_PERMISSION:
8941 hrc = setError(E_FAIL, tr("Not permitted to open the USB device, check usbfs options"));
8942 break;
8943 default:
8944 hrc = setError(E_FAIL, tr("Failed to create a proxy device for the USB device. (Error: %Rrc)"), vrc);
8945 break;
8946 }
8947 }
8948
8949 return hrc;
8950}
8951
8952/**
8953 * USB device attach callback used by AttachUSBDevice().
8954 * Note that AttachUSBDevice() doesn't return until this callback is executed,
8955 * so we don't use AutoCaller and don't care about reference counters of
8956 * interface pointers passed in.
8957 *
8958 * @thread EMT
8959 * @note Locks the console object for writing.
8960 */
8961//static
8962DECLCALLBACK(int)
8963Console::i_usbAttachCallback(Console *that, PUVM pUVM, IUSBDevice *aHostDevice, PCRTUUID aUuid, const char *pszBackend,
8964 const char *aAddress, void *pvRemoteBackend, USHORT aPortVersion, ULONG aMaskedIfs,
8965 const char *pszCaptureFilename)
8966{
8967 RT_NOREF(aHostDevice);
8968 LogFlowFuncEnter();
8969 LogFlowFunc(("that={%p} aUuid={%RTuuid}\n", that, aUuid));
8970
8971 AssertReturn(that && aUuid, VERR_INVALID_PARAMETER);
8972 AssertReturn(!that->isWriteLockOnCurrentThread(), VERR_GENERAL_FAILURE);
8973
8974 int vrc = PDMR3UsbCreateProxyDevice(pUVM, aUuid, pszBackend, aAddress, pvRemoteBackend,
8975 aPortVersion == 3 ? VUSB_STDVER_30 :
8976 aPortVersion == 2 ? VUSB_STDVER_20 : VUSB_STDVER_11,
8977 aMaskedIfs, pszCaptureFilename);
8978 LogFlowFunc(("vrc=%Rrc\n", vrc));
8979 LogFlowFuncLeave();
8980 return vrc;
8981}
8982
8983/**
8984 * Sends a request to VMM to detach the given host device. After this method
8985 * succeeds, the detached device will disappear from the mUSBDevices
8986 * collection.
8987 *
8988 * @param aHostDevice device to attach
8989 *
8990 * @note Synchronously calls EMT.
8991 */
8992HRESULT Console::i_detachUSBDevice(const ComObjPtr<OUSBDevice> &aHostDevice)
8993{
8994 AssertReturn(!isWriteLockOnCurrentThread(), E_FAIL);
8995
8996 /* Get the VM handle. */
8997 SafeVMPtr ptrVM(this);
8998 if (!ptrVM.isOk())
8999 return ptrVM.rc();
9000
9001 /* if the device is attached, then there must at least one USB hub. */
9002 AssertReturn(PDMR3UsbHasHub(ptrVM.rawUVM()), E_FAIL);
9003
9004 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9005 LogFlowThisFunc(("Detaching USB proxy device {%RTuuid}...\n",
9006 aHostDevice->i_id().raw()));
9007
9008 /*
9009 * If this was a remote device, release the backend pointer.
9010 * The pointer was requested in usbAttachCallback.
9011 */
9012 BOOL fRemote = FALSE;
9013
9014 HRESULT hrc2 = aHostDevice->COMGETTER(Remote)(&fRemote);
9015 if (FAILED(hrc2))
9016 i_setErrorStatic(hrc2, "GetRemote() failed");
9017
9018 PCRTUUID pUuid = aHostDevice->i_id().raw();
9019 if (fRemote)
9020 {
9021 Guid guid(*pUuid);
9022 i_consoleVRDPServer()->USBBackendReleasePointer(&guid);
9023 }
9024
9025 alock.release();
9026 int vrc = VMR3ReqCallWaitU(ptrVM.rawUVM(), 0 /* idDstCpu (saved state, see #6232) */,
9027 (PFNRT)i_usbDetachCallback, 5,
9028 this, ptrVM.rawUVM(), pUuid);
9029 if (RT_SUCCESS(vrc))
9030 {
9031 LogFlowFunc(("Detached device {%RTuuid}\n", pUuid));
9032
9033 /* notify callbacks */
9034 i_onUSBDeviceStateChange(aHostDevice, false /* aAttached */, NULL);
9035 }
9036
9037 ComAssertRCRet(vrc, E_FAIL);
9038
9039 return S_OK;
9040}
9041
9042/**
9043 * USB device detach callback used by DetachUSBDevice().
9044 *
9045 * Note that DetachUSBDevice() doesn't return until this callback is executed,
9046 * so we don't use AutoCaller and don't care about reference counters of
9047 * interface pointers passed in.
9048 *
9049 * @thread EMT
9050 */
9051//static
9052DECLCALLBACK(int)
9053Console::i_usbDetachCallback(Console *that, PUVM pUVM, PCRTUUID aUuid)
9054{
9055 LogFlowFuncEnter();
9056 LogFlowFunc(("that={%p} aUuid={%RTuuid}\n", that, aUuid));
9057
9058 AssertReturn(that && aUuid, VERR_INVALID_PARAMETER);
9059 AssertReturn(!that->isWriteLockOnCurrentThread(), VERR_GENERAL_FAILURE);
9060
9061 int vrc = PDMR3UsbDetachDevice(pUVM, aUuid);
9062
9063 LogFlowFunc(("vrc=%Rrc\n", vrc));
9064 LogFlowFuncLeave();
9065 return vrc;
9066}
9067#endif /* VBOX_WITH_USB */
9068
9069/* Note: FreeBSD needs this whether netflt is used or not. */
9070#if ((defined(RT_OS_LINUX) && !defined(VBOX_WITH_NETFLT)) || defined(RT_OS_FREEBSD))
9071/**
9072 * Helper function to handle host interface device creation and attachment.
9073 *
9074 * @param networkAdapter the network adapter which attachment should be reset
9075 * @return COM status code
9076 *
9077 * @note The caller must lock this object for writing.
9078 *
9079 * @todo Move this back into the driver!
9080 */
9081HRESULT Console::i_attachToTapInterface(INetworkAdapter *networkAdapter)
9082{
9083 LogFlowThisFunc(("\n"));
9084 /* sanity check */
9085 AssertReturn(isWriteLockOnCurrentThread(), E_FAIL);
9086
9087# ifdef VBOX_STRICT
9088 /* paranoia */
9089 NetworkAttachmentType_T attachment;
9090 networkAdapter->COMGETTER(AttachmentType)(&attachment);
9091 Assert(attachment == NetworkAttachmentType_Bridged);
9092# endif /* VBOX_STRICT */
9093
9094 HRESULT rc = S_OK;
9095
9096 ULONG slot = 0;
9097 rc = networkAdapter->COMGETTER(Slot)(&slot);
9098 AssertComRC(rc);
9099
9100# ifdef RT_OS_LINUX
9101 /*
9102 * Allocate a host interface device
9103 */
9104 int rcVBox = RTFileOpen(&maTapFD[slot], "/dev/net/tun",
9105 RTFILE_O_READWRITE | RTFILE_O_OPEN | RTFILE_O_DENY_NONE | RTFILE_O_INHERIT);
9106 if (RT_SUCCESS(rcVBox))
9107 {
9108 /*
9109 * Set/obtain the tap interface.
9110 */
9111 struct ifreq IfReq;
9112 RT_ZERO(IfReq);
9113 /* The name of the TAP interface we are using */
9114 Bstr tapDeviceName;
9115 rc = networkAdapter->COMGETTER(BridgedInterface)(tapDeviceName.asOutParam());
9116 if (FAILED(rc))
9117 tapDeviceName.setNull(); /* Is this necessary? */
9118 if (tapDeviceName.isEmpty())
9119 {
9120 LogRel(("No TAP device name was supplied.\n"));
9121 rc = setError(E_FAIL, tr("No TAP device name was supplied for the host networking interface"));
9122 }
9123
9124 if (SUCCEEDED(rc))
9125 {
9126 /* If we are using a static TAP device then try to open it. */
9127 Utf8Str str(tapDeviceName);
9128 RTStrCopy(IfReq.ifr_name, sizeof(IfReq.ifr_name), str.c_str()); /** @todo bitch about names which are too long... */
9129 IfReq.ifr_flags = IFF_TAP | IFF_NO_PI;
9130 rcVBox = ioctl(RTFileToNative(maTapFD[slot]), TUNSETIFF, &IfReq);
9131 if (rcVBox != 0)
9132 {
9133 LogRel(("Failed to open the host network interface %ls\n", tapDeviceName.raw()));
9134 rc = setError(E_FAIL,
9135 tr("Failed to open the host network interface %ls"),
9136 tapDeviceName.raw());
9137 }
9138 }
9139 if (SUCCEEDED(rc))
9140 {
9141 /*
9142 * Make it pollable.
9143 */
9144 if (fcntl(RTFileToNative(maTapFD[slot]), F_SETFL, O_NONBLOCK) != -1)
9145 {
9146 Log(("i_attachToTapInterface: %RTfile %ls\n", maTapFD[slot], tapDeviceName.raw()));
9147 /*
9148 * Here is the right place to communicate the TAP file descriptor and
9149 * the host interface name to the server if/when it becomes really
9150 * necessary.
9151 */
9152 maTAPDeviceName[slot] = tapDeviceName;
9153 rcVBox = VINF_SUCCESS;
9154 }
9155 else
9156 {
9157 int iErr = errno;
9158
9159 LogRel(("Configuration error: Failed to configure /dev/net/tun non blocking. Error: %s\n", strerror(iErr)));
9160 rcVBox = VERR_HOSTIF_BLOCKING;
9161 rc = setError(E_FAIL,
9162 tr("could not set up the host networking device for non blocking access: %s"),
9163 strerror(errno));
9164 }
9165 }
9166 }
9167 else
9168 {
9169 LogRel(("Configuration error: Failed to open /dev/net/tun rc=%Rrc\n", rcVBox));
9170 switch (rcVBox)
9171 {
9172 case VERR_ACCESS_DENIED:
9173 /* will be handled by our caller */
9174 rc = rcVBox;
9175 break;
9176 default:
9177 rc = setError(E_FAIL,
9178 tr("Could not set up the host networking device: %Rrc"),
9179 rcVBox);
9180 break;
9181 }
9182 }
9183
9184# elif defined(RT_OS_FREEBSD)
9185 /*
9186 * Set/obtain the tap interface.
9187 */
9188 /* The name of the TAP interface we are using */
9189 Bstr tapDeviceName;
9190 rc = networkAdapter->COMGETTER(BridgedInterface)(tapDeviceName.asOutParam());
9191 if (FAILED(rc))
9192 tapDeviceName.setNull(); /* Is this necessary? */
9193 if (tapDeviceName.isEmpty())
9194 {
9195 LogRel(("No TAP device name was supplied.\n"));
9196 rc = setError(E_FAIL, tr("No TAP device name was supplied for the host networking interface"));
9197 }
9198 char szTapdev[1024] = "/dev/";
9199 /* If we are using a static TAP device then try to open it. */
9200 Utf8Str str(tapDeviceName);
9201 if (str.length() + strlen(szTapdev) <= sizeof(szTapdev))
9202 strcat(szTapdev, str.c_str());
9203 else
9204 memcpy(szTapdev + strlen(szTapdev), str.c_str(),
9205 sizeof(szTapdev) - strlen(szTapdev) - 1); /** @todo bitch about names which are too long... */
9206 int rcVBox = RTFileOpen(&maTapFD[slot], szTapdev,
9207 RTFILE_O_READWRITE | RTFILE_O_OPEN | RTFILE_O_DENY_NONE | RTFILE_O_INHERIT | RTFILE_O_NON_BLOCK);
9208
9209 if (RT_SUCCESS(rcVBox))
9210 maTAPDeviceName[slot] = tapDeviceName;
9211 else
9212 {
9213 switch (rcVBox)
9214 {
9215 case VERR_ACCESS_DENIED:
9216 /* will be handled by our caller */
9217 rc = rcVBox;
9218 break;
9219 default:
9220 rc = setError(E_FAIL,
9221 tr("Failed to open the host network interface %ls"),
9222 tapDeviceName.raw());
9223 break;
9224 }
9225 }
9226# else
9227# error "huh?"
9228# endif
9229 /* in case of failure, cleanup. */
9230 if (RT_FAILURE(rcVBox) && SUCCEEDED(rc))
9231 {
9232 LogRel(("General failure attaching to host interface\n"));
9233 rc = setError(E_FAIL,
9234 tr("General failure attaching to host interface"));
9235 }
9236 LogFlowThisFunc(("rc=%Rhrc\n", rc));
9237 return rc;
9238}
9239
9240
9241/**
9242 * Helper function to handle detachment from a host interface
9243 *
9244 * @param networkAdapter the network adapter which attachment should be reset
9245 * @return COM status code
9246 *
9247 * @note The caller must lock this object for writing.
9248 *
9249 * @todo Move this back into the driver!
9250 */
9251HRESULT Console::i_detachFromTapInterface(INetworkAdapter *networkAdapter)
9252{
9253 /* sanity check */
9254 LogFlowThisFunc(("\n"));
9255 AssertReturn(isWriteLockOnCurrentThread(), E_FAIL);
9256
9257 HRESULT rc = S_OK;
9258# ifdef VBOX_STRICT
9259 /* paranoia */
9260 NetworkAttachmentType_T attachment;
9261 networkAdapter->COMGETTER(AttachmentType)(&attachment);
9262 Assert(attachment == NetworkAttachmentType_Bridged);
9263# endif /* VBOX_STRICT */
9264
9265 ULONG slot = 0;
9266 rc = networkAdapter->COMGETTER(Slot)(&slot);
9267 AssertComRC(rc);
9268
9269 /* is there an open TAP device? */
9270 if (maTapFD[slot] != NIL_RTFILE)
9271 {
9272 /*
9273 * Close the file handle.
9274 */
9275 Bstr tapDeviceName, tapTerminateApplication;
9276 bool isStatic = true;
9277 rc = networkAdapter->COMGETTER(BridgedInterface)(tapDeviceName.asOutParam());
9278 if (FAILED(rc) || tapDeviceName.isEmpty())
9279 {
9280 /* If the name is empty, this is a dynamic TAP device, so close it now,
9281 so that the termination script can remove the interface. Otherwise we still
9282 need the FD to pass to the termination script. */
9283 isStatic = false;
9284 int rcVBox = RTFileClose(maTapFD[slot]);
9285 AssertRC(rcVBox);
9286 maTapFD[slot] = NIL_RTFILE;
9287 }
9288 if (isStatic)
9289 {
9290 /* If we are using a static TAP device, we close it now, after having called the
9291 termination script. */
9292 int rcVBox = RTFileClose(maTapFD[slot]);
9293 AssertRC(rcVBox);
9294 }
9295 /* the TAP device name and handle are no longer valid */
9296 maTapFD[slot] = NIL_RTFILE;
9297 maTAPDeviceName[slot] = "";
9298 }
9299 LogFlowThisFunc(("returning %d\n", rc));
9300 return rc;
9301}
9302#endif /* (RT_OS_LINUX || RT_OS_FREEBSD) && !VBOX_WITH_NETFLT */
9303
9304/**
9305 * Called at power down to terminate host interface networking.
9306 *
9307 * @note The caller must lock this object for writing.
9308 */
9309HRESULT Console::i_powerDownHostInterfaces()
9310{
9311 LogFlowThisFunc(("\n"));
9312
9313 /* sanity check */
9314 AssertReturn(isWriteLockOnCurrentThread(), E_FAIL);
9315
9316 /*
9317 * host interface termination handling
9318 */
9319 HRESULT rc = S_OK;
9320 ComPtr<IVirtualBox> pVirtualBox;
9321 mMachine->COMGETTER(Parent)(pVirtualBox.asOutParam());
9322 ComPtr<ISystemProperties> pSystemProperties;
9323 if (pVirtualBox)
9324 pVirtualBox->COMGETTER(SystemProperties)(pSystemProperties.asOutParam());
9325 ChipsetType_T chipsetType = ChipsetType_PIIX3;
9326 mMachine->COMGETTER(ChipsetType)(&chipsetType);
9327 ULONG maxNetworkAdapters = 0;
9328 if (pSystemProperties)
9329 pSystemProperties->GetMaxNetworkAdapters(chipsetType, &maxNetworkAdapters);
9330
9331 for (ULONG slot = 0; slot < maxNetworkAdapters; slot++)
9332 {
9333 ComPtr<INetworkAdapter> pNetworkAdapter;
9334 rc = mMachine->GetNetworkAdapter(slot, pNetworkAdapter.asOutParam());
9335 if (FAILED(rc)) break;
9336
9337 BOOL enabled = FALSE;
9338 pNetworkAdapter->COMGETTER(Enabled)(&enabled);
9339 if (!enabled)
9340 continue;
9341
9342 NetworkAttachmentType_T attachment;
9343 pNetworkAdapter->COMGETTER(AttachmentType)(&attachment);
9344 if (attachment == NetworkAttachmentType_Bridged)
9345 {
9346#if ((defined(RT_OS_LINUX) || defined(RT_OS_FREEBSD)) && !defined(VBOX_WITH_NETFLT))
9347 HRESULT rc2 = i_detachFromTapInterface(pNetworkAdapter);
9348 if (FAILED(rc2) && SUCCEEDED(rc))
9349 rc = rc2;
9350#endif /* (RT_OS_LINUX || RT_OS_FREEBSD) && !VBOX_WITH_NETFLT */
9351 }
9352 }
9353
9354 return rc;
9355}
9356
9357
9358/**
9359 * Process callback handler for VMR3LoadFromFile, VMR3LoadFromStream, VMR3Save
9360 * and VMR3Teleport.
9361 *
9362 * @param pUVM The user mode VM handle.
9363 * @param uPercent Completion percentage (0-100).
9364 * @param pvUser Pointer to an IProgress instance.
9365 * @return VINF_SUCCESS.
9366 */
9367/*static*/
9368DECLCALLBACK(int) Console::i_stateProgressCallback(PUVM pUVM, unsigned uPercent, void *pvUser)
9369{
9370 IProgress *pProgress = static_cast<IProgress *>(pvUser);
9371
9372 /* update the progress object */
9373 if (pProgress)
9374 pProgress->SetCurrentOperationProgress(uPercent);
9375
9376 NOREF(pUVM);
9377 return VINF_SUCCESS;
9378}
9379
9380/**
9381 * @copydoc FNVMATERROR
9382 *
9383 * @remarks Might be some tiny serialization concerns with access to the string
9384 * object here...
9385 */
9386/*static*/ DECLCALLBACK(void)
9387Console::i_genericVMSetErrorCallback(PUVM pUVM, void *pvUser, int rc, RT_SRC_POS_DECL,
9388 const char *pszFormat, va_list args)
9389{
9390 RT_SRC_POS_NOREF();
9391 Utf8Str *pErrorText = (Utf8Str *)pvUser;
9392 AssertPtr(pErrorText);
9393
9394 /* We ignore RT_SRC_POS_DECL arguments to avoid confusion of end-users. */
9395 va_list va2;
9396 va_copy(va2, args);
9397
9398 /* Append to any the existing error message. */
9399 if (pErrorText->length())
9400 *pErrorText = Utf8StrFmt("%s.\n%N (%Rrc)", pErrorText->c_str(),
9401 pszFormat, &va2, rc, rc);
9402 else
9403 *pErrorText = Utf8StrFmt("%N (%Rrc)", pszFormat, &va2, rc, rc);
9404
9405 va_end(va2);
9406
9407 NOREF(pUVM);
9408}
9409
9410/**
9411 * VM runtime error callback function (FNVMATRUNTIMEERROR).
9412 *
9413 * See VMSetRuntimeError for the detailed description of parameters.
9414 *
9415 * @param pUVM The user mode VM handle. Ignored, so passing NULL
9416 * is fine.
9417 * @param pvUser The user argument, pointer to the Console instance.
9418 * @param fFlags The action flags. See VMSETRTERR_FLAGS_*.
9419 * @param pszErrorId Error ID string.
9420 * @param pszFormat Error message format string.
9421 * @param va Error message arguments.
9422 * @thread EMT.
9423 */
9424/* static */ DECLCALLBACK(void)
9425Console::i_atVMRuntimeErrorCallback(PUVM pUVM, void *pvUser, uint32_t fFlags,
9426 const char *pszErrorId, const char *pszFormat, va_list va)
9427{
9428 bool const fFatal = !!(fFlags & VMSETRTERR_FLAGS_FATAL);
9429 LogFlowFuncEnter();
9430
9431 Console *that = static_cast<Console *>(pvUser);
9432 AssertReturnVoid(that);
9433
9434 Utf8Str message(pszFormat, va);
9435
9436 LogRel(("Console: VM runtime error: fatal=%RTbool, errorID=%s message=\"%s\"\n",
9437 fFatal, pszErrorId, message.c_str()));
9438
9439 that->i_onRuntimeError(BOOL(fFatal), Bstr(pszErrorId).raw(), Bstr(message).raw());
9440
9441 LogFlowFuncLeave(); NOREF(pUVM);
9442}
9443
9444/**
9445 * Captures USB devices that match filters of the VM.
9446 * Called at VM startup.
9447 *
9448 * @param pUVM The VM handle.
9449 */
9450HRESULT Console::i_captureUSBDevices(PUVM pUVM)
9451{
9452 RT_NOREF(pUVM);
9453 LogFlowThisFunc(("\n"));
9454
9455 /* sanity check */
9456 AssertReturn(!isWriteLockOnCurrentThread(), E_FAIL);
9457 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9458
9459 /* If the machine has a USB controller, ask the USB proxy service to
9460 * capture devices */
9461 if (mfVMHasUsbController)
9462 {
9463 /* release the lock before calling Host in VBoxSVC since Host may call
9464 * us back from under its lock (e.g. onUSBDeviceAttach()) which would
9465 * produce an inter-process dead-lock otherwise. */
9466 alock.release();
9467
9468 HRESULT hrc = mControl->AutoCaptureUSBDevices();
9469 ComAssertComRCRetRC(hrc);
9470 }
9471
9472 return S_OK;
9473}
9474
9475
9476/**
9477 * Detach all USB device which are attached to the VM for the
9478 * purpose of clean up and such like.
9479 */
9480void Console::i_detachAllUSBDevices(bool aDone)
9481{
9482 LogFlowThisFunc(("aDone=%RTbool\n", aDone));
9483
9484 /* sanity check */
9485 AssertReturnVoid(!isWriteLockOnCurrentThread());
9486 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9487
9488 mUSBDevices.clear();
9489
9490 /* release the lock before calling Host in VBoxSVC since Host may call
9491 * us back from under its lock (e.g. onUSBDeviceAttach()) which would
9492 * produce an inter-process dead-lock otherwise. */
9493 alock.release();
9494
9495 mControl->DetachAllUSBDevices(aDone);
9496}
9497
9498/**
9499 * @note Locks this object for writing.
9500 */
9501void Console::i_processRemoteUSBDevices(uint32_t u32ClientId, VRDEUSBDEVICEDESC *pDevList, uint32_t cbDevList, bool fDescExt)
9502{
9503 LogFlowThisFuncEnter();
9504 LogFlowThisFunc(("u32ClientId = %d, pDevList=%p, cbDevList = %d, fDescExt = %d\n",
9505 u32ClientId, pDevList, cbDevList, fDescExt));
9506
9507 AutoCaller autoCaller(this);
9508 if (!autoCaller.isOk())
9509 {
9510 /* Console has been already uninitialized, deny request */
9511 AssertMsgFailed(("Console is already uninitialized\n"));
9512 LogFlowThisFunc(("Console is already uninitialized\n"));
9513 LogFlowThisFuncLeave();
9514 return;
9515 }
9516
9517 AutoWriteLock alock(this COMMA_LOCKVAL_SRC_POS);
9518
9519 /*
9520 * Mark all existing remote USB devices as dirty.
9521 */
9522 for (RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
9523 it != mRemoteUSBDevices.end();
9524 ++it)
9525 {
9526 (*it)->dirty(true);
9527 }
9528
9529 /*
9530 * Process the pDevList and add devices those are not already in the mRemoteUSBDevices list.
9531 */
9532 /** @todo (sunlover) REMOTE_USB Strict validation of the pDevList. */
9533 VRDEUSBDEVICEDESC *e = pDevList;
9534
9535 /* The cbDevList condition must be checked first, because the function can
9536 * receive pDevList = NULL and cbDevList = 0 on client disconnect.
9537 */
9538 while (cbDevList >= 2 && e->oNext)
9539 {
9540 /* Sanitize incoming strings in case they aren't valid UTF-8. */
9541 if (e->oManufacturer)
9542 RTStrPurgeEncoding((char *)e + e->oManufacturer);
9543 if (e->oProduct)
9544 RTStrPurgeEncoding((char *)e + e->oProduct);
9545 if (e->oSerialNumber)
9546 RTStrPurgeEncoding((char *)e + e->oSerialNumber);
9547
9548 LogFlowThisFunc(("vendor %04X, product %04X, name = %s\n",
9549 e->idVendor, e->idProduct,
9550 e->oProduct? (char *)e + e->oProduct: ""));
9551
9552 bool fNewDevice = true;
9553
9554 for (RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
9555 it != mRemoteUSBDevices.end();
9556 ++it)
9557 {
9558 if ((*it)->devId() == e->id
9559 && (*it)->clientId() == u32ClientId)
9560 {
9561 /* The device is already in the list. */
9562 (*it)->dirty(false);
9563 fNewDevice = false;
9564 break;
9565 }
9566 }
9567
9568 if (fNewDevice)
9569 {
9570 LogRel(("Remote USB: ++++ Vendor %04X. Product %04X. Name = [%s].\n",
9571 e->idVendor, e->idProduct, e->oProduct? (char *)e + e->oProduct: ""));
9572
9573 /* Create the device object and add the new device to list. */
9574 ComObjPtr<RemoteUSBDevice> pUSBDevice;
9575 pUSBDevice.createObject();
9576 pUSBDevice->init(u32ClientId, e, fDescExt);
9577
9578 mRemoteUSBDevices.push_back(pUSBDevice);
9579
9580 /* Check if the device is ok for current USB filters. */
9581 BOOL fMatched = FALSE;
9582 ULONG fMaskedIfs = 0;
9583
9584 HRESULT hrc = mControl->RunUSBDeviceFilters(pUSBDevice, &fMatched, &fMaskedIfs);
9585
9586 AssertComRC(hrc);
9587
9588 LogFlowThisFunc(("USB filters return %d %#x\n", fMatched, fMaskedIfs));
9589
9590 if (fMatched)
9591 {
9592 alock.release();
9593 hrc = i_onUSBDeviceAttach(pUSBDevice, NULL, fMaskedIfs, Utf8Str());
9594 alock.acquire();
9595
9596 /// @todo (r=dmik) warning reporting subsystem
9597
9598 if (hrc == S_OK)
9599 {
9600 LogFlowThisFunc(("Device attached\n"));
9601 pUSBDevice->captured(true);
9602 }
9603 }
9604 }
9605
9606 if (cbDevList < e->oNext)
9607 {
9608 Log1WarningThisFunc(("cbDevList %d > oNext %d\n", cbDevList, e->oNext));
9609 break;
9610 }
9611
9612 cbDevList -= e->oNext;
9613
9614 e = (VRDEUSBDEVICEDESC *)((uint8_t *)e + e->oNext);
9615 }
9616
9617 /*
9618 * Remove dirty devices, that is those which are not reported by the server anymore.
9619 */
9620 for (;;)
9621 {
9622 ComObjPtr<RemoteUSBDevice> pUSBDevice;
9623
9624 RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
9625 while (it != mRemoteUSBDevices.end())
9626 {
9627 if ((*it)->dirty())
9628 {
9629 pUSBDevice = *it;
9630 break;
9631 }
9632
9633 ++it;
9634 }
9635
9636 if (!pUSBDevice)
9637 {
9638 break;
9639 }
9640
9641 USHORT vendorId = 0;
9642 pUSBDevice->COMGETTER(VendorId)(&vendorId);
9643
9644 USHORT productId = 0;
9645 pUSBDevice->COMGETTER(ProductId)(&productId);
9646
9647 Bstr product;
9648 pUSBDevice->COMGETTER(Product)(product.asOutParam());
9649
9650 LogRel(("Remote USB: ---- Vendor %04X. Product %04X. Name = [%ls].\n",
9651 vendorId, productId, product.raw()));
9652
9653 /* Detach the device from VM. */
9654 if (pUSBDevice->captured())
9655 {
9656 Bstr uuid;
9657 pUSBDevice->COMGETTER(Id)(uuid.asOutParam());
9658 alock.release();
9659 i_onUSBDeviceDetach(uuid.raw(), NULL);
9660 alock.acquire();
9661 }
9662
9663 /* And remove it from the list. */
9664 mRemoteUSBDevices.erase(it);
9665 }
9666
9667 LogFlowThisFuncLeave();
9668}
9669
9670/**
9671 * Progress cancelation callback for fault tolerance VM poweron
9672 */
9673static void faultToleranceProgressCancelCallback(void *pvUser)
9674{
9675 PUVM pUVM = (PUVM)pvUser;
9676
9677 if (pUVM)
9678 FTMR3CancelStandby(pUVM);
9679}
9680
9681/**
9682 * Worker called by VMPowerUpTask::handler to start the VM (also from saved
9683 * state) and track progress.
9684 *
9685 * @param pTask The power up task.
9686 *
9687 * @note Locks the Console object for writing.
9688 */
9689/*static*/
9690void Console::i_powerUpThreadTask(VMPowerUpTask *pTask)
9691{
9692 LogFlowFuncEnter();
9693
9694 AssertReturnVoid(pTask);
9695 AssertReturnVoid(!pTask->mConsole.isNull());
9696 AssertReturnVoid(!pTask->mProgress.isNull());
9697
9698 VirtualBoxBase::initializeComForThread();
9699
9700 HRESULT rc = S_OK;
9701 int vrc = VINF_SUCCESS;
9702
9703 /* Set up a build identifier so that it can be seen from core dumps what
9704 * exact build was used to produce the core. */
9705 static char saBuildID[48];
9706 RTStrPrintf(saBuildID, sizeof(saBuildID), "%s%s%s%s VirtualBox %s r%u %s%s%s%s",
9707 "BU", "IL", "DI", "D", RTBldCfgVersion(), RTBldCfgRevision(), "BU", "IL", "DI", "D");
9708
9709 ComObjPtr<Console> pConsole = pTask->mConsole;
9710
9711 /* Note: no need to use AutoCaller because VMPowerUpTask does that */
9712
9713 /* The lock is also used as a signal from the task initiator (which
9714 * releases it only after RTThreadCreate()) that we can start the job */
9715 AutoWriteLock alock(pConsole COMMA_LOCKVAL_SRC_POS);
9716
9717 /* sanity */
9718 Assert(pConsole->mpUVM == NULL);
9719
9720 try
9721 {
9722 // Create the VMM device object, which starts the HGCM thread; do this only
9723 // once for the console, for the pathological case that the same console
9724 // object is used to power up a VM twice.
9725 if (!pConsole->m_pVMMDev)
9726 {
9727 pConsole->m_pVMMDev = new VMMDev(pConsole);
9728 AssertReturnVoid(pConsole->m_pVMMDev);
9729 }
9730
9731 /* wait for auto reset ops to complete so that we can successfully lock
9732 * the attached hard disks by calling LockMedia() below */
9733 for (VMPowerUpTask::ProgressList::const_iterator
9734 it = pTask->hardDiskProgresses.begin();
9735 it != pTask->hardDiskProgresses.end(); ++it)
9736 {
9737 HRESULT rc2 = (*it)->WaitForCompletion(-1);
9738 AssertComRC(rc2);
9739
9740 rc = pTask->mProgress->SetNextOperation(BstrFmt(tr("Disk Image Reset Operation - Immutable Image")).raw(), 1);
9741 AssertComRCReturnVoid(rc);
9742 }
9743
9744 /*
9745 * Lock attached media. This method will also check their accessibility.
9746 * If we're a teleporter, we'll have to postpone this action so we can
9747 * migrate between local processes.
9748 *
9749 * Note! The media will be unlocked automatically by
9750 * SessionMachine::i_setMachineState() when the VM is powered down.
9751 */
9752 if ( !pTask->mTeleporterEnabled
9753 && pTask->mEnmFaultToleranceState != FaultToleranceState_Standby)
9754 {
9755 rc = pConsole->mControl->LockMedia();
9756 if (FAILED(rc)) throw rc;
9757 }
9758
9759 /* Create the VRDP server. In case of headless operation, this will
9760 * also create the framebuffer, required at VM creation.
9761 */
9762 ConsoleVRDPServer *server = pConsole->i_consoleVRDPServer();
9763 Assert(server);
9764
9765 /* Does VRDP server call Console from the other thread?
9766 * Not sure (and can change), so release the lock just in case.
9767 */
9768 alock.release();
9769 vrc = server->Launch();
9770 alock.acquire();
9771
9772 if (vrc != VINF_SUCCESS)
9773 {
9774 Utf8Str errMsg = pConsole->VRDPServerErrorToMsg(vrc);
9775 if ( RT_FAILURE(vrc)
9776 && vrc != VERR_NET_ADDRESS_IN_USE) /* not fatal */
9777 throw i_setErrorStatic(E_FAIL, errMsg.c_str());
9778 }
9779
9780 ComPtr<IMachine> pMachine = pConsole->i_machine();
9781 ULONG cCpus = 1;
9782 pMachine->COMGETTER(CPUCount)(&cCpus);
9783
9784 /*
9785 * Create the VM
9786 *
9787 * Note! Release the lock since EMT will call Console. It's safe because
9788 * mMachineState is either Starting or Restoring state here.
9789 */
9790 alock.release();
9791
9792 PVM pVM;
9793 vrc = VMR3Create(cCpus,
9794 pConsole->mpVmm2UserMethods,
9795 Console::i_genericVMSetErrorCallback,
9796 &pTask->mErrorMsg,
9797 pTask->mConfigConstructor,
9798 static_cast<Console *>(pConsole),
9799 &pVM, NULL);
9800
9801 alock.acquire();
9802
9803 /* Enable client connections to the server. */
9804 pConsole->i_consoleVRDPServer()->EnableConnections();
9805
9806 if (RT_SUCCESS(vrc))
9807 {
9808 do
9809 {
9810 /*
9811 * Register our load/save state file handlers
9812 */
9813 vrc = SSMR3RegisterExternal(pConsole->mpUVM, sSSMConsoleUnit, 0 /*iInstance*/, sSSMConsoleVer, 0 /* cbGuess */,
9814 NULL, NULL, NULL,
9815 NULL, i_saveStateFileExec, NULL,
9816 NULL, i_loadStateFileExec, NULL,
9817 static_cast<Console *>(pConsole));
9818 AssertRCBreak(vrc);
9819
9820 vrc = static_cast<Console *>(pConsole)->i_getDisplay()->i_registerSSM(pConsole->mpUVM);
9821 AssertRC(vrc);
9822 if (RT_FAILURE(vrc))
9823 break;
9824
9825 /*
9826 * Synchronize debugger settings
9827 */
9828 MachineDebugger *machineDebugger = pConsole->i_getMachineDebugger();
9829 if (machineDebugger)
9830 machineDebugger->i_flushQueuedSettings();
9831
9832 /*
9833 * Shared Folders
9834 */
9835 if (pConsole->m_pVMMDev->isShFlActive())
9836 {
9837 /* Does the code below call Console from the other thread?
9838 * Not sure, so release the lock just in case. */
9839 alock.release();
9840
9841 for (SharedFolderDataMap::const_iterator it = pTask->mSharedFolders.begin();
9842 it != pTask->mSharedFolders.end();
9843 ++it)
9844 {
9845 const SharedFolderData &d = it->second;
9846 rc = pConsole->i_createSharedFolder(it->first, d);
9847 if (FAILED(rc))
9848 {
9849 ErrorInfoKeeper eik;
9850 pConsole->i_atVMRuntimeErrorCallbackF(0, "BrokenSharedFolder",
9851 N_("The shared folder '%s' could not be set up: %ls.\n"
9852 "The shared folder setup will not be complete. It is recommended to power down the virtual "
9853 "machine and fix the shared folder settings while the machine is not running"),
9854 it->first.c_str(), eik.getText().raw());
9855 }
9856 }
9857 if (FAILED(rc))
9858 rc = S_OK; // do not fail with broken shared folders
9859
9860 /* acquire the lock again */
9861 alock.acquire();
9862 }
9863
9864 /* release the lock before a lengthy operation */
9865 alock.release();
9866
9867 /*
9868 * Capture USB devices.
9869 */
9870 rc = pConsole->i_captureUSBDevices(pConsole->mpUVM);
9871 if (FAILED(rc))
9872 {
9873 alock.acquire();
9874 break;
9875 }
9876
9877 /* Load saved state? */
9878 if (pTask->mSavedStateFile.length())
9879 {
9880 LogFlowFunc(("Restoring saved state from '%s'...\n", pTask->mSavedStateFile.c_str()));
9881
9882 vrc = VMR3LoadFromFile(pConsole->mpUVM,
9883 pTask->mSavedStateFile.c_str(),
9884 Console::i_stateProgressCallback,
9885 static_cast<IProgress *>(pTask->mProgress));
9886
9887 if (RT_SUCCESS(vrc))
9888 {
9889 if (pTask->mStartPaused)
9890 /* done */
9891 pConsole->i_setMachineState(MachineState_Paused);
9892 else
9893 {
9894 /* Start/Resume the VM execution */
9895#ifdef VBOX_WITH_EXTPACK
9896 vrc = pConsole->mptrExtPackManager->i_callAllVmPowerOnHooks(pConsole, pVM);
9897#endif
9898 if (RT_SUCCESS(vrc))
9899 vrc = VMR3Resume(pConsole->mpUVM, VMRESUMEREASON_STATE_RESTORED);
9900 AssertLogRelRC(vrc);
9901 }
9902 }
9903
9904 /* Power off in case we failed loading or resuming the VM */
9905 if (RT_FAILURE(vrc))
9906 {
9907 int vrc2 = VMR3PowerOff(pConsole->mpUVM); AssertLogRelRC(vrc2);
9908#ifdef VBOX_WITH_EXTPACK
9909 pConsole->mptrExtPackManager->i_callAllVmPowerOffHooks(pConsole, pVM);
9910#endif
9911 }
9912 }
9913 else if (pTask->mTeleporterEnabled)
9914 {
9915 /* -> ConsoleImplTeleporter.cpp */
9916 bool fPowerOffOnFailure;
9917 rc = pConsole->i_teleporterTrg(pConsole->mpUVM, pMachine, &pTask->mErrorMsg, pTask->mStartPaused,
9918 pTask->mProgress, &fPowerOffOnFailure);
9919 if (FAILED(rc) && fPowerOffOnFailure)
9920 {
9921 ErrorInfoKeeper eik;
9922 int vrc2 = VMR3PowerOff(pConsole->mpUVM); AssertLogRelRC(vrc2);
9923#ifdef VBOX_WITH_EXTPACK
9924 pConsole->mptrExtPackManager->i_callAllVmPowerOffHooks(pConsole, pVM);
9925#endif
9926 }
9927 }
9928 else if (pTask->mEnmFaultToleranceState != FaultToleranceState_Inactive)
9929 {
9930 /*
9931 * Get the config.
9932 */
9933 ULONG uPort;
9934 rc = pMachine->COMGETTER(FaultTolerancePort)(&uPort);
9935 if (SUCCEEDED(rc))
9936 {
9937 ULONG uInterval;
9938 rc = pMachine->COMGETTER(FaultToleranceSyncInterval)(&uInterval);
9939 if (SUCCEEDED(rc))
9940 {
9941 Bstr bstrAddress;
9942 rc = pMachine->COMGETTER(FaultToleranceAddress)(bstrAddress.asOutParam());
9943 if (SUCCEEDED(rc))
9944 {
9945 Bstr bstrPassword;
9946 rc = pMachine->COMGETTER(FaultTolerancePassword)(bstrPassword.asOutParam());
9947 if (SUCCEEDED(rc))
9948 {
9949 if (pTask->mProgress->i_setCancelCallback(faultToleranceProgressCancelCallback,
9950 pConsole->mpUVM))
9951 {
9952 if (SUCCEEDED(rc))
9953 {
9954 Utf8Str strAddress(bstrAddress);
9955 const char *pszAddress = strAddress.isEmpty() ? NULL : strAddress.c_str();
9956 Utf8Str strPassword(bstrPassword);
9957 const char *pszPassword = strPassword.isEmpty() ? NULL : strPassword.c_str();
9958
9959 /* Power on the FT enabled VM. */
9960#ifdef VBOX_WITH_EXTPACK
9961 vrc = pConsole->mptrExtPackManager->i_callAllVmPowerOnHooks(pConsole, pVM);
9962#endif
9963 if (RT_SUCCESS(vrc))
9964 vrc = FTMR3PowerOn(pConsole->mpUVM,
9965 pTask->mEnmFaultToleranceState == FaultToleranceState_Master /* fMaster */,
9966 uInterval,
9967 pszAddress,
9968 uPort,
9969 pszPassword);
9970 AssertLogRelRC(vrc);
9971 }
9972 pTask->mProgress->i_setCancelCallback(NULL, NULL);
9973 }
9974 else
9975 rc = E_FAIL;
9976
9977 }
9978 }
9979 }
9980 }
9981 }
9982 else if (pTask->mStartPaused)
9983 /* done */
9984 pConsole->i_setMachineState(MachineState_Paused);
9985 else
9986 {
9987 /* Power on the VM (i.e. start executing) */
9988#ifdef VBOX_WITH_EXTPACK
9989 vrc = pConsole->mptrExtPackManager->i_callAllVmPowerOnHooks(pConsole, pVM);
9990#endif
9991 if (RT_SUCCESS(vrc))
9992 vrc = VMR3PowerOn(pConsole->mpUVM);
9993 AssertLogRelRC(vrc);
9994 }
9995
9996 /* acquire the lock again */
9997 alock.acquire();
9998 }
9999 while (0);
10000
10001 /* On failure, destroy the VM */
10002 if (FAILED(rc) || RT_FAILURE(vrc))
10003 {
10004 /* preserve existing error info */
10005 ErrorInfoKeeper eik;
10006
10007 /* powerDown() will call VMR3Destroy() and do all necessary
10008 * cleanup (VRDP, USB devices) */
10009 alock.release();
10010 HRESULT rc2 = pConsole->i_powerDown();
10011 alock.acquire();
10012 AssertComRC(rc2);
10013 }
10014 else
10015 {
10016 /*
10017 * Deregister the VMSetError callback. This is necessary as the
10018 * pfnVMAtError() function passed to VMR3Create() is supposed to
10019 * be sticky but our error callback isn't.
10020 */
10021 alock.release();
10022 VMR3AtErrorDeregister(pConsole->mpUVM, Console::i_genericVMSetErrorCallback, &pTask->mErrorMsg);
10023 /** @todo register another VMSetError callback? */
10024 alock.acquire();
10025 }
10026 }
10027 else
10028 {
10029 /*
10030 * If VMR3Create() failed it has released the VM memory.
10031 */
10032 VMR3ReleaseUVM(pConsole->mpUVM);
10033 pConsole->mpUVM = NULL;
10034 }
10035
10036 if (SUCCEEDED(rc) && RT_FAILURE(vrc))
10037 {
10038 /* If VMR3Create() or one of the other calls in this function fail,
10039 * an appropriate error message has been set in pTask->mErrorMsg.
10040 * However since that happens via a callback, the rc status code in
10041 * this function is not updated.
10042 */
10043 if (!pTask->mErrorMsg.length())
10044 {
10045 /* If the error message is not set but we've got a failure,
10046 * convert the VBox status code into a meaningful error message.
10047 * This becomes unused once all the sources of errors set the
10048 * appropriate error message themselves.
10049 */
10050 AssertMsgFailed(("Missing error message during powerup for status code %Rrc\n", vrc));
10051 pTask->mErrorMsg = Utf8StrFmt(tr("Failed to start VM execution (%Rrc)"), vrc);
10052 }
10053
10054 /* Set the error message as the COM error.
10055 * Progress::notifyComplete() will pick it up later. */
10056 throw i_setErrorStatic(E_FAIL, pTask->mErrorMsg.c_str());
10057 }
10058 }
10059 catch (HRESULT aRC) { rc = aRC; }
10060
10061 if ( pConsole->mMachineState == MachineState_Starting
10062 || pConsole->mMachineState == MachineState_Restoring
10063 || pConsole->mMachineState == MachineState_TeleportingIn
10064 )
10065 {
10066 /* We are still in the Starting/Restoring state. This means one of:
10067 *
10068 * 1) we failed before VMR3Create() was called;
10069 * 2) VMR3Create() failed.
10070 *
10071 * In both cases, there is no need to call powerDown(), but we still
10072 * need to go back to the PoweredOff/Saved state. Reuse
10073 * vmstateChangeCallback() for that purpose.
10074 */
10075
10076 /* preserve existing error info */
10077 ErrorInfoKeeper eik;
10078
10079 Assert(pConsole->mpUVM == NULL);
10080 i_vmstateChangeCallback(NULL, VMSTATE_TERMINATED, VMSTATE_CREATING, pConsole);
10081 }
10082
10083 /*
10084 * Evaluate the final result. Note that the appropriate mMachineState value
10085 * is already set by vmstateChangeCallback() in all cases.
10086 */
10087
10088 /* release the lock, don't need it any more */
10089 alock.release();
10090
10091 if (SUCCEEDED(rc))
10092 {
10093 /* Notify the progress object of the success */
10094 pTask->mProgress->i_notifyComplete(S_OK);
10095 }
10096 else
10097 {
10098 /* The progress object will fetch the current error info */
10099 pTask->mProgress->i_notifyComplete(rc);
10100 LogRel(("Power up failed (vrc=%Rrc, rc=%Rhrc (%#08X))\n", vrc, rc, rc));
10101 }
10102
10103 /* Notify VBoxSVC and any waiting openRemoteSession progress object. */
10104 pConsole->mControl->EndPowerUp(rc);
10105
10106#if defined(RT_OS_WINDOWS)
10107 /* uninitialize COM */
10108 CoUninitialize();
10109#endif
10110
10111 LogFlowFuncLeave();
10112}
10113
10114
10115/**
10116 * Reconfigures a medium attachment (part of taking or deleting an online snapshot).
10117 *
10118 * @param pThis Reference to the console object.
10119 * @param pUVM The VM handle.
10120 * @param pcszDevice The name of the controller type.
10121 * @param uInstance The instance of the controller.
10122 * @param enmBus The storage bus type of the controller.
10123 * @param fUseHostIOCache Use the host I/O cache (disable async I/O).
10124 * @param fBuiltinIOCache Use the builtin I/O cache.
10125 * @param fInsertDiskIntegrityDrv Flag whether to insert the disk integrity driver into the chain
10126 * for additionalk debugging aids.
10127 * @param fSetupMerge Whether to set up a medium merge
10128 * @param uMergeSource Merge source image index
10129 * @param uMergeTarget Merge target image index
10130 * @param aMediumAtt The medium attachment.
10131 * @param aMachineState The current machine state.
10132 * @param phrc Where to store com error - only valid if we return VERR_GENERAL_FAILURE.
10133 * @return VBox status code.
10134 */
10135/* static */
10136DECLCALLBACK(int) Console::i_reconfigureMediumAttachment(Console *pThis,
10137 PUVM pUVM,
10138 const char *pcszDevice,
10139 unsigned uInstance,
10140 StorageBus_T enmBus,
10141 bool fUseHostIOCache,
10142 bool fBuiltinIOCache,
10143 bool fInsertDiskIntegrityDrv,
10144 bool fSetupMerge,
10145 unsigned uMergeSource,
10146 unsigned uMergeTarget,
10147 IMediumAttachment *aMediumAtt,
10148 MachineState_T aMachineState,
10149 HRESULT *phrc)
10150{
10151 LogFlowFunc(("pUVM=%p aMediumAtt=%p phrc=%p\n", pUVM, aMediumAtt, phrc));
10152
10153 HRESULT hrc;
10154 Bstr bstr;
10155 *phrc = S_OK;
10156#define H() do { if (FAILED(hrc)) { AssertMsgFailed(("hrc=%Rhrc (%#x)\n", hrc, hrc)); *phrc = hrc; return VERR_GENERAL_FAILURE; } } while (0)
10157
10158 /* Ignore attachments other than hard disks, since at the moment they are
10159 * not subject to snapshotting in general. */
10160 DeviceType_T lType;
10161 hrc = aMediumAtt->COMGETTER(Type)(&lType); H();
10162 if (lType != DeviceType_HardDisk)
10163 return VINF_SUCCESS;
10164
10165 /* Update the device instance configuration. */
10166 int rc = pThis->i_configMediumAttachment(pcszDevice,
10167 uInstance,
10168 enmBus,
10169 fUseHostIOCache,
10170 fBuiltinIOCache,
10171 fInsertDiskIntegrityDrv,
10172 fSetupMerge,
10173 uMergeSource,
10174 uMergeTarget,
10175 aMediumAtt,
10176 aMachineState,
10177 phrc,
10178 true /* fAttachDetach */,
10179 false /* fForceUnmount */,
10180 false /* fHotplug */,
10181 pUVM,
10182 NULL /* paLedDevType */,
10183 NULL /* ppLunL0)*/);
10184 if (RT_FAILURE(rc))
10185 {
10186 AssertMsgFailed(("rc=%Rrc\n", rc));
10187 return rc;
10188 }
10189
10190#undef H
10191
10192 LogFlowFunc(("Returns success\n"));
10193 return VINF_SUCCESS;
10194}
10195
10196/**
10197 * Thread for powering down the Console.
10198 *
10199 * @param pTask The power down task.
10200 *
10201 * @note Locks the Console object for writing.
10202 */
10203/*static*/
10204void Console::i_powerDownThreadTask(VMPowerDownTask *pTask)
10205{
10206 int rc = VINF_SUCCESS; /* only used in assertion */
10207 LogFlowFuncEnter();
10208 try
10209 {
10210 if (pTask->isOk() == false)
10211 rc = VERR_GENERAL_FAILURE;
10212
10213 const ComObjPtr<Console> &that = pTask->mConsole;
10214
10215 /* Note: no need to use AutoCaller to protect Console because VMTask does
10216 * that */
10217
10218 /* wait until the method tat started us returns */
10219 AutoWriteLock thatLock(that COMMA_LOCKVAL_SRC_POS);
10220
10221 /* release VM caller to avoid the powerDown() deadlock */
10222 pTask->releaseVMCaller();
10223
10224 thatLock.release();
10225
10226 that->i_powerDown(pTask->mServerProgress);
10227
10228 /* complete the operation */
10229 that->mControl->EndPoweringDown(S_OK, Bstr().raw());
10230
10231 }
10232 catch (const std::exception &e)
10233 {
10234 AssertMsgFailed(("Exception %s was caught, rc=%Rrc\n", e.what(), rc));
10235 NOREF(e); NOREF(rc);
10236 }
10237
10238 LogFlowFuncLeave();
10239}
10240
10241/**
10242 * @interface_method_impl{VMM2USERMETHODS,pfnSaveState}
10243 */
10244/*static*/ DECLCALLBACK(int)
10245Console::i_vmm2User_SaveState(PCVMM2USERMETHODS pThis, PUVM pUVM)
10246{
10247 Console *pConsole = ((MYVMM2USERMETHODS *)pThis)->pConsole;
10248 NOREF(pUVM);
10249
10250 /*
10251 * For now, just call SaveState. We should probably try notify the GUI so
10252 * it can pop up a progress object and stuff. The progress object created
10253 * by the call isn't returned to anyone and thus gets updated without
10254 * anyone noticing it.
10255 */
10256 ComPtr<IProgress> pProgress;
10257 HRESULT hrc = pConsole->mMachine->SaveState(pProgress.asOutParam());
10258 return SUCCEEDED(hrc) ? VINF_SUCCESS : Global::vboxStatusCodeFromCOM(hrc);
10259}
10260
10261/**
10262 * @interface_method_impl{VMM2USERMETHODS,pfnNotifyEmtInit}
10263 */
10264/*static*/ DECLCALLBACK(void)
10265Console::i_vmm2User_NotifyEmtInit(PCVMM2USERMETHODS pThis, PUVM pUVM, PUVMCPU pUVCpu)
10266{
10267 NOREF(pThis); NOREF(pUVM); NOREF(pUVCpu);
10268 VirtualBoxBase::initializeComForThread();
10269}
10270
10271/**
10272 * @interface_method_impl{VMM2USERMETHODS,pfnNotifyEmtTerm}
10273 */
10274/*static*/ DECLCALLBACK(void)
10275Console::i_vmm2User_NotifyEmtTerm(PCVMM2USERMETHODS pThis, PUVM pUVM, PUVMCPU pUVCpu)
10276{
10277 NOREF(pThis); NOREF(pUVM); NOREF(pUVCpu);
10278 VirtualBoxBase::uninitializeComForThread();
10279}
10280
10281/**
10282 * @interface_method_impl{VMM2USERMETHODS,pfnNotifyPdmtInit}
10283 */
10284/*static*/ DECLCALLBACK(void)
10285Console::i_vmm2User_NotifyPdmtInit(PCVMM2USERMETHODS pThis, PUVM pUVM)
10286{
10287 NOREF(pThis); NOREF(pUVM);
10288 VirtualBoxBase::initializeComForThread();
10289}
10290
10291/**
10292 * @interface_method_impl{VMM2USERMETHODS,pfnNotifyPdmtTerm}
10293 */
10294/*static*/ DECLCALLBACK(void)
10295Console::i_vmm2User_NotifyPdmtTerm(PCVMM2USERMETHODS pThis, PUVM pUVM)
10296{
10297 NOREF(pThis); NOREF(pUVM);
10298 VirtualBoxBase::uninitializeComForThread();
10299}
10300
10301/**
10302 * @interface_method_impl{VMM2USERMETHODS,pfnNotifyResetTurnedIntoPowerOff}
10303 */
10304/*static*/ DECLCALLBACK(void)
10305Console::i_vmm2User_NotifyResetTurnedIntoPowerOff(PCVMM2USERMETHODS pThis, PUVM pUVM)
10306{
10307 Console *pConsole = ((MYVMM2USERMETHODS *)pThis)->pConsole;
10308 NOREF(pUVM);
10309
10310 pConsole->mfPowerOffCausedByReset = true;
10311}
10312
10313
10314
10315
10316/**
10317 * @interface_method_impl{PDMISECKEY,pfnKeyRetain}
10318 */
10319/*static*/ DECLCALLBACK(int)
10320Console::i_pdmIfSecKey_KeyRetain(PPDMISECKEY pInterface, const char *pszId, const uint8_t **ppbKey,
10321 size_t *pcbKey)
10322{
10323 Console *pConsole = ((MYPDMISECKEY *)pInterface)->pConsole;
10324
10325 AutoReadLock thatLock(pConsole COMMA_LOCKVAL_SRC_POS);
10326 SecretKey *pKey = NULL;
10327
10328 int rc = pConsole->m_pKeyStore->retainSecretKey(Utf8Str(pszId), &pKey);
10329 if (RT_SUCCESS(rc))
10330 {
10331 *ppbKey = (const uint8_t *)pKey->getKeyBuffer();
10332 *pcbKey = pKey->getKeySize();
10333 }
10334
10335 return rc;
10336}
10337
10338/**
10339 * @interface_method_impl{PDMISECKEY,pfnKeyRelease}
10340 */
10341/*static*/ DECLCALLBACK(int)
10342Console::i_pdmIfSecKey_KeyRelease(PPDMISECKEY pInterface, const char *pszId)
10343{
10344 Console *pConsole = ((MYPDMISECKEY *)pInterface)->pConsole;
10345
10346 AutoReadLock thatLock(pConsole COMMA_LOCKVAL_SRC_POS);
10347 return pConsole->m_pKeyStore->releaseSecretKey(Utf8Str(pszId));
10348}
10349
10350/**
10351 * @interface_method_impl{PDMISECKEY,pfnPasswordRetain}
10352 */
10353/*static*/ DECLCALLBACK(int)
10354Console::i_pdmIfSecKey_PasswordRetain(PPDMISECKEY pInterface, const char *pszId, const char **ppszPassword)
10355{
10356 Console *pConsole = ((MYPDMISECKEY *)pInterface)->pConsole;
10357
10358 AutoReadLock thatLock(pConsole COMMA_LOCKVAL_SRC_POS);
10359 SecretKey *pKey = NULL;
10360
10361 int rc = pConsole->m_pKeyStore->retainSecretKey(Utf8Str(pszId), &pKey);
10362 if (RT_SUCCESS(rc))
10363 *ppszPassword = (const char *)pKey->getKeyBuffer();
10364
10365 return rc;
10366}
10367
10368/**
10369 * @interface_method_impl{PDMISECKEY,pfnPasswordRelease}
10370 */
10371/*static*/ DECLCALLBACK(int)
10372Console::i_pdmIfSecKey_PasswordRelease(PPDMISECKEY pInterface, const char *pszId)
10373{
10374 Console *pConsole = ((MYPDMISECKEY *)pInterface)->pConsole;
10375
10376 AutoReadLock thatLock(pConsole COMMA_LOCKVAL_SRC_POS);
10377 return pConsole->m_pKeyStore->releaseSecretKey(Utf8Str(pszId));
10378}
10379
10380/**
10381 * @interface_method_impl{PDMISECKEYHLP,pfnKeyMissingNotify}
10382 */
10383/*static*/ DECLCALLBACK(int)
10384Console::i_pdmIfSecKeyHlp_KeyMissingNotify(PPDMISECKEYHLP pInterface)
10385{
10386 Console *pConsole = ((MYPDMISECKEYHLP *)pInterface)->pConsole;
10387
10388 /* Set guest property only, the VM is paused in the media driver calling us. */
10389 pConsole->mMachine->DeleteGuestProperty(Bstr("/VirtualBox/HostInfo/DekMissing").raw());
10390 pConsole->mMachine->SetGuestProperty(Bstr("/VirtualBox/HostInfo/DekMissing").raw(),
10391 Bstr("1").raw(), Bstr("RDONLYGUEST").raw());
10392 pConsole->mMachine->SaveSettings();
10393
10394 return VINF_SUCCESS;
10395}
10396
10397
10398
10399/**
10400 * The Main status driver instance data.
10401 */
10402typedef struct DRVMAINSTATUS
10403{
10404 /** The LED connectors. */
10405 PDMILEDCONNECTORS ILedConnectors;
10406 /** Pointer to the LED ports interface above us. */
10407 PPDMILEDPORTS pLedPorts;
10408 /** Pointer to the array of LED pointers. */
10409 PPDMLED *papLeds;
10410 /** The unit number corresponding to the first entry in the LED array. */
10411 RTUINT iFirstLUN;
10412 /** The unit number corresponding to the last entry in the LED array.
10413 * (The size of the LED array is iLastLUN - iFirstLUN + 1.) */
10414 RTUINT iLastLUN;
10415 /** Pointer to the driver instance. */
10416 PPDMDRVINS pDrvIns;
10417 /** The Media Notify interface. */
10418 PDMIMEDIANOTIFY IMediaNotify;
10419 /** Map for translating PDM storage controller/LUN information to
10420 * IMediumAttachment references. */
10421 Console::MediumAttachmentMap *pmapMediumAttachments;
10422 /** Device name+instance for mapping */
10423 char *pszDeviceInstance;
10424 /** Pointer to the Console object, for driver triggered activities. */
10425 Console *pConsole;
10426} DRVMAINSTATUS, *PDRVMAINSTATUS;
10427
10428
10429/**
10430 * Notification about a unit which have been changed.
10431 *
10432 * The driver must discard any pointers to data owned by
10433 * the unit and requery it.
10434 *
10435 * @param pInterface Pointer to the interface structure containing the called function pointer.
10436 * @param iLUN The unit number.
10437 */
10438DECLCALLBACK(void) Console::i_drvStatus_UnitChanged(PPDMILEDCONNECTORS pInterface, unsigned iLUN)
10439{
10440 PDRVMAINSTATUS pThis = RT_FROM_MEMBER(pInterface, DRVMAINSTATUS, ILedConnectors);
10441 if (iLUN >= pThis->iFirstLUN && iLUN <= pThis->iLastLUN)
10442 {
10443 PPDMLED pLed;
10444 int rc = pThis->pLedPorts->pfnQueryStatusLed(pThis->pLedPorts, iLUN, &pLed);
10445 if (RT_FAILURE(rc))
10446 pLed = NULL;
10447 ASMAtomicWritePtr(&pThis->papLeds[iLUN - pThis->iFirstLUN], pLed);
10448 Log(("drvStatus_UnitChanged: iLUN=%d pLed=%p\n", iLUN, pLed));
10449 }
10450}
10451
10452
10453/**
10454 * Notification about a medium eject.
10455 *
10456 * @returns VBox status code.
10457 * @param pInterface Pointer to the interface structure containing the called function pointer.
10458 * @param uLUN The unit number.
10459 */
10460DECLCALLBACK(int) Console::i_drvStatus_MediumEjected(PPDMIMEDIANOTIFY pInterface, unsigned uLUN)
10461{
10462 PDRVMAINSTATUS pThis = RT_FROM_MEMBER(pInterface, DRVMAINSTATUS, IMediaNotify);
10463 LogFunc(("uLUN=%d\n", uLUN));
10464 if (pThis->pmapMediumAttachments)
10465 {
10466 AutoWriteLock alock(pThis->pConsole COMMA_LOCKVAL_SRC_POS);
10467
10468 ComPtr<IMediumAttachment> pMediumAtt;
10469 Utf8Str devicePath = Utf8StrFmt("%s/LUN#%u", pThis->pszDeviceInstance, uLUN);
10470 Console::MediumAttachmentMap::const_iterator end = pThis->pmapMediumAttachments->end();
10471 Console::MediumAttachmentMap::const_iterator it = pThis->pmapMediumAttachments->find(devicePath);
10472 if (it != end)
10473 pMediumAtt = it->second;
10474 Assert(!pMediumAtt.isNull());
10475 if (!pMediumAtt.isNull())
10476 {
10477 IMedium *pMedium = NULL;
10478 HRESULT rc = pMediumAtt->COMGETTER(Medium)(&pMedium);
10479 AssertComRC(rc);
10480 if (SUCCEEDED(rc) && pMedium)
10481 {
10482 BOOL fHostDrive = FALSE;
10483 rc = pMedium->COMGETTER(HostDrive)(&fHostDrive);
10484 AssertComRC(rc);
10485 if (!fHostDrive)
10486 {
10487 alock.release();
10488
10489 ComPtr<IMediumAttachment> pNewMediumAtt;
10490 rc = pThis->pConsole->mControl->EjectMedium(pMediumAtt, pNewMediumAtt.asOutParam());
10491 if (SUCCEEDED(rc))
10492 {
10493 pThis->pConsole->mMachine->SaveSettings();
10494 fireMediumChangedEvent(pThis->pConsole->mEventSource, pNewMediumAtt);
10495 }
10496
10497 alock.acquire();
10498 if (pNewMediumAtt != pMediumAtt)
10499 {
10500 pThis->pmapMediumAttachments->erase(devicePath);
10501 pThis->pmapMediumAttachments->insert(std::make_pair(devicePath, pNewMediumAtt));
10502 }
10503 }
10504 }
10505 }
10506 }
10507 return VINF_SUCCESS;
10508}
10509
10510
10511/**
10512 * @interface_method_impl{PDMIBASE,pfnQueryInterface}
10513 */
10514DECLCALLBACK(void *) Console::i_drvStatus_QueryInterface(PPDMIBASE pInterface, const char *pszIID)
10515{
10516 PPDMDRVINS pDrvIns = PDMIBASE_2_PDMDRV(pInterface);
10517 PDRVMAINSTATUS pThis = PDMINS_2_DATA(pDrvIns, PDRVMAINSTATUS);
10518 PDMIBASE_RETURN_INTERFACE(pszIID, PDMIBASE, &pDrvIns->IBase);
10519 PDMIBASE_RETURN_INTERFACE(pszIID, PDMILEDCONNECTORS, &pThis->ILedConnectors);
10520 PDMIBASE_RETURN_INTERFACE(pszIID, PDMIMEDIANOTIFY, &pThis->IMediaNotify);
10521 return NULL;
10522}
10523
10524
10525/**
10526 * Destruct a status driver instance.
10527 *
10528 * @returns VBox status code.
10529 * @param pDrvIns The driver instance data.
10530 */
10531DECLCALLBACK(void) Console::i_drvStatus_Destruct(PPDMDRVINS pDrvIns)
10532{
10533 PDMDRV_CHECK_VERSIONS_RETURN_VOID(pDrvIns);
10534 PDRVMAINSTATUS pThis = PDMINS_2_DATA(pDrvIns, PDRVMAINSTATUS);
10535 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
10536
10537 if (pThis->papLeds)
10538 {
10539 unsigned iLed = pThis->iLastLUN - pThis->iFirstLUN + 1;
10540 while (iLed-- > 0)
10541 ASMAtomicWriteNullPtr(&pThis->papLeds[iLed]);
10542 }
10543}
10544
10545
10546/**
10547 * Construct a status driver instance.
10548 *
10549 * @copydoc FNPDMDRVCONSTRUCT
10550 */
10551DECLCALLBACK(int) Console::i_drvStatus_Construct(PPDMDRVINS pDrvIns, PCFGMNODE pCfg, uint32_t fFlags)
10552{
10553 RT_NOREF(fFlags);
10554 PDMDRV_CHECK_VERSIONS_RETURN(pDrvIns);
10555 PDRVMAINSTATUS pThis = PDMINS_2_DATA(pDrvIns, PDRVMAINSTATUS);
10556 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
10557
10558 /*
10559 * Validate configuration.
10560 */
10561 if (!CFGMR3AreValuesValid(pCfg, "papLeds\0pmapMediumAttachments\0DeviceInstance\0pConsole\0First\0Last\0"))
10562 return VERR_PDM_DRVINS_UNKNOWN_CFG_VALUES;
10563 AssertMsgReturn(PDMDrvHlpNoAttach(pDrvIns) == VERR_PDM_NO_ATTACHED_DRIVER,
10564 ("Configuration error: Not possible to attach anything to this driver!\n"),
10565 VERR_PDM_DRVINS_NO_ATTACH);
10566
10567 /*
10568 * Data.
10569 */
10570 pDrvIns->IBase.pfnQueryInterface = Console::i_drvStatus_QueryInterface;
10571 pThis->ILedConnectors.pfnUnitChanged = Console::i_drvStatus_UnitChanged;
10572 pThis->IMediaNotify.pfnEjected = Console::i_drvStatus_MediumEjected;
10573 pThis->pDrvIns = pDrvIns;
10574 pThis->pszDeviceInstance = NULL;
10575
10576 /*
10577 * Read config.
10578 */
10579 int rc = CFGMR3QueryPtr(pCfg, "papLeds", (void **)&pThis->papLeds);
10580 if (RT_FAILURE(rc))
10581 {
10582 AssertMsgFailed(("Configuration error: Failed to query the \"papLeds\" value! rc=%Rrc\n", rc));
10583 return rc;
10584 }
10585
10586 rc = CFGMR3QueryPtrDef(pCfg, "pmapMediumAttachments", (void **)&pThis->pmapMediumAttachments, NULL);
10587 if (RT_FAILURE(rc))
10588 {
10589 AssertMsgFailed(("Configuration error: Failed to query the \"pmapMediumAttachments\" value! rc=%Rrc\n", rc));
10590 return rc;
10591 }
10592 if (pThis->pmapMediumAttachments)
10593 {
10594 rc = CFGMR3QueryStringAlloc(pCfg, "DeviceInstance", &pThis->pszDeviceInstance);
10595 if (RT_FAILURE(rc))
10596 {
10597 AssertMsgFailed(("Configuration error: Failed to query the \"DeviceInstance\" value! rc=%Rrc\n", rc));
10598 return rc;
10599 }
10600 rc = CFGMR3QueryPtr(pCfg, "pConsole", (void **)&pThis->pConsole);
10601 if (RT_FAILURE(rc))
10602 {
10603 AssertMsgFailed(("Configuration error: Failed to query the \"pConsole\" value! rc=%Rrc\n", rc));
10604 return rc;
10605 }
10606 }
10607
10608 rc = CFGMR3QueryU32(pCfg, "First", &pThis->iFirstLUN);
10609 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
10610 pThis->iFirstLUN = 0;
10611 else if (RT_FAILURE(rc))
10612 {
10613 AssertMsgFailed(("Configuration error: Failed to query the \"First\" value! rc=%Rrc\n", rc));
10614 return rc;
10615 }
10616
10617 rc = CFGMR3QueryU32(pCfg, "Last", &pThis->iLastLUN);
10618 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
10619 pThis->iLastLUN = 0;
10620 else if (RT_FAILURE(rc))
10621 {
10622 AssertMsgFailed(("Configuration error: Failed to query the \"Last\" value! rc=%Rrc\n", rc));
10623 return rc;
10624 }
10625 if (pThis->iFirstLUN > pThis->iLastLUN)
10626 {
10627 AssertMsgFailed(("Configuration error: Invalid unit range %u-%u\n", pThis->iFirstLUN, pThis->iLastLUN));
10628 return VERR_GENERAL_FAILURE;
10629 }
10630
10631 /*
10632 * Get the ILedPorts interface of the above driver/device and
10633 * query the LEDs we want.
10634 */
10635 pThis->pLedPorts = PDMIBASE_QUERY_INTERFACE(pDrvIns->pUpBase, PDMILEDPORTS);
10636 AssertMsgReturn(pThis->pLedPorts, ("Configuration error: No led ports interface above!\n"),
10637 VERR_PDM_MISSING_INTERFACE_ABOVE);
10638
10639 for (unsigned i = pThis->iFirstLUN; i <= pThis->iLastLUN; ++i)
10640 Console::i_drvStatus_UnitChanged(&pThis->ILedConnectors, i);
10641
10642 return VINF_SUCCESS;
10643}
10644
10645
10646/**
10647 * Console status driver (LED) registration record.
10648 */
10649const PDMDRVREG Console::DrvStatusReg =
10650{
10651 /* u32Version */
10652 PDM_DRVREG_VERSION,
10653 /* szName */
10654 "MainStatus",
10655 /* szRCMod */
10656 "",
10657 /* szR0Mod */
10658 "",
10659 /* pszDescription */
10660 "Main status driver (Main as in the API).",
10661 /* fFlags */
10662 PDM_DRVREG_FLAGS_HOST_BITS_DEFAULT,
10663 /* fClass. */
10664 PDM_DRVREG_CLASS_STATUS,
10665 /* cMaxInstances */
10666 ~0U,
10667 /* cbInstance */
10668 sizeof(DRVMAINSTATUS),
10669 /* pfnConstruct */
10670 Console::i_drvStatus_Construct,
10671 /* pfnDestruct */
10672 Console::i_drvStatus_Destruct,
10673 /* pfnRelocate */
10674 NULL,
10675 /* pfnIOCtl */
10676 NULL,
10677 /* pfnPowerOn */
10678 NULL,
10679 /* pfnReset */
10680 NULL,
10681 /* pfnSuspend */
10682 NULL,
10683 /* pfnResume */
10684 NULL,
10685 /* pfnAttach */
10686 NULL,
10687 /* pfnDetach */
10688 NULL,
10689 /* pfnPowerOff */
10690 NULL,
10691 /* pfnSoftReset */
10692 NULL,
10693 /* u32EndVersion */
10694 PDM_DRVREG_VERSION
10695};
10696
10697
10698
10699/* vi: set tabstop=4 shiftwidth=4 expandtab: */
Note: See TracBrowser for help on using the repository browser.

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