VirtualBox

source: vbox/trunk/src/VBox/Main/ConsoleImpl.cpp@ 286

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

The VRDP server to be launched after the successful VM startup.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 240.3 KB
Line 
1/** @file
2 *
3 * VBox Console COM Class implementation
4 */
5
6/*
7 * Copyright (C) 2006 InnoTek Systemberatung GmbH
8 *
9 * This file is part of VirtualBox Open Source Edition (OSE), as
10 * available from http://www.virtualbox.org. This file is free software;
11 * you can redistribute it and/or modify it under the terms of the GNU
12 * General Public License as published by the Free Software Foundation,
13 * in version 2 as it comes in the "COPYING" file of the VirtualBox OSE
14 * distribution. VirtualBox OSE is distributed in the hope that it will
15 * be useful, but WITHOUT ANY WARRANTY of any kind.
16 *
17 * If you received this file as part of a commercial VirtualBox
18 * distribution, then only the terms of your commercial VirtualBox
19 * license agreement apply instead of the previous paragraph.
20 */
21
22#if defined(__WIN__)
23#elif defined(__LINUX__)
24# include <errno.h>
25# include <sys/ioctl.h>
26# include <sys/poll.h>
27# include <sys/fcntl.h>
28# include <net/if.h>
29# include <linux/if_tun.h>
30#endif
31
32#include "ConsoleImpl.h"
33#include "GuestImpl.h"
34#include "KeyboardImpl.h"
35#include "MouseImpl.h"
36#include "DisplayImpl.h"
37#include "MachineDebuggerImpl.h"
38#include "USBDeviceImpl.h"
39#include "RemoteUSBDeviceImpl.h"
40#include "SharedFolderImpl.h"
41#include "AudioSnifferInterface.h"
42#include "ConsoleVRDPServer.h"
43#include "VMMDev.h"
44
45// generated header
46#include "SchemaDefs.h"
47
48#include "Logging.h"
49
50#include <iprt/string.h>
51#include <iprt/asm.h>
52#include <iprt/file.h>
53#include <iprt/path.h>
54#include <iprt/dir.h>
55#include <iprt/process.h>
56#include <iprt/ldr.h>
57
58#include <VBox/vmapi.h>
59#include <VBox/err.h>
60#include <VBox/param.h>
61#include <VBox/vusb.h>
62#include <VBox/mm.h>
63#include <VBox/ssm.h>
64#include <VBox/version.h>
65
66#include <VBox/VBoxDev.h>
67
68#include <VBox/HostServices/VBoxClipboardSvc.h>
69
70#include <set>
71#include <algorithm>
72#include <memory> // for auto_ptr
73
74
75// VMTask and friends
76////////////////////////////////////////////////////////////////////////////////
77
78/**
79 * Task structure for asynchronous VM operations.
80 *
81 * Once created, the task structure adds itself as a Console caller.
82 * This means:
83 *
84 * 1. The user must check for #rc() before using the created structure
85 * (e.g. passing it as a thread function argument). If #rc() returns a
86 * failure, the Console object may not be used by the task (see
87 Console::addCaller() for more details).
88 * 2. On successful initialization, the structure keeps the Console caller
89 * until destruction (to ensure Console remains in the Ready state and won't
90 * be accidentially uninitialized). Forgetting to delete the created task
91 * will lead to Console::uninit() stuck waiting for releasing all added
92 * callers.
93 *
94 * If \a aUsesVMPtr parameter is true, the task structure will also add itself
95 * as a Console::mpVM caller with the same meaning as above. See
96 * Console::addVMCaller() for more info.
97 */
98struct VMTask
99{
100 VMTask (Console *aConsole, bool aUsesVMPtr)
101 : mConsole (aConsole), mCallerAdded (false), mVMCallerAdded (false)
102 {
103 AssertReturnVoid (aConsole);
104 mRC = aConsole->addCaller();
105 if (SUCCEEDED (mRC))
106 {
107 mCallerAdded = true;
108 if (aUsesVMPtr)
109 {
110 mRC = aConsole->addVMCaller();
111 if (SUCCEEDED (mRC))
112 mVMCallerAdded = true;
113 }
114 }
115 }
116
117 ~VMTask()
118 {
119 if (mVMCallerAdded)
120 mConsole->releaseVMCaller();
121 if (mCallerAdded)
122 mConsole->releaseCaller();
123 }
124
125 HRESULT rc() const { return mRC; }
126 bool isOk() const { return SUCCEEDED (rc()); }
127
128 /** Releases the Console caller before destruction. Not normally necessary. */
129 void releaseCaller()
130 {
131 AssertReturnVoid (mCallerAdded);
132 mConsole->releaseCaller();
133 mCallerAdded = false;
134 }
135
136 /** Releases the VM caller before destruction. Not normally necessary. */
137 void releaseVMCaller()
138 {
139 AssertReturnVoid (mVMCallerAdded);
140 mConsole->releaseVMCaller();
141 mVMCallerAdded = false;
142 }
143
144 const ComObjPtr <Console> mConsole;
145
146private:
147
148 HRESULT mRC;
149 bool mCallerAdded : 1;
150 bool mVMCallerAdded : 1;
151};
152
153struct VMProgressTask : public VMTask
154{
155 VMProgressTask (Console *aConsole, Progress *aProgress, bool aUsesVMPtr)
156 : VMTask (aConsole, aUsesVMPtr), mProgress (aProgress) {}
157
158 const ComObjPtr <Progress> mProgress;
159};
160
161struct VMPowerUpTask : public VMProgressTask
162{
163 VMPowerUpTask (Console *aConsole, Progress *aProgress)
164 : VMProgressTask (aConsole, aProgress, false /* aUsesVMPtr */)
165 , mSetVMErrorCallback (NULL), mConfigConstructor (NULL) {}
166
167 PFNVMATERROR mSetVMErrorCallback;
168 PFNCFGMCONSTRUCTOR mConfigConstructor;
169 Utf8Str mSavedStateFile;
170 std::map <Bstr, ComPtr <ISharedFolder> > mSharedFolders;
171};
172
173struct VMSaveTask : public VMProgressTask
174{
175 VMSaveTask (Console *aConsole, Progress *aProgress)
176 : VMProgressTask (aConsole, aProgress, true /* aUsesVMPtr */)
177 , mIsSnapshot (false)
178 , mLastMachineState (MachineState_InvalidMachineState) {}
179
180 bool mIsSnapshot;
181 Utf8Str mSavedStateFile;
182 MachineState_T mLastMachineState;
183 ComPtr <IProgress> mServerProgress;
184};
185
186
187// constructor / desctructor
188/////////////////////////////////////////////////////////////////////////////
189
190Console::Console()
191 : mSavedStateDataLoaded (false)
192 , mConsoleVRDPServer (NULL)
193 , mpVM (NULL)
194 , mVMCallers (0)
195 , mVMZeroCallersSem (NIL_RTSEMEVENT)
196 , mVMDestroying (false)
197 , meDVDState (DriveState_NotMounted)
198 , meFloppyState (DriveState_NotMounted)
199 , mVMMDev (NULL)
200 , mAudioSniffer (NULL)
201 , mVMStateChangeCallbackDisabled (false)
202 , mMachineState (MachineState_PoweredOff)
203{}
204
205Console::~Console()
206{}
207
208HRESULT Console::FinalConstruct()
209{
210 LogFlowThisFunc (("\n"));
211
212 memset(mapFDLeds, 0, sizeof(mapFDLeds));
213 memset(mapIDELeds, 0, sizeof(mapIDELeds));
214 memset(mapNetworkLeds, 0, sizeof(mapNetworkLeds));
215
216#ifdef __LINUX__
217 Assert(ELEMENTS(maTapFD) == ELEMENTS(maTAPDeviceName));
218 Assert(ELEMENTS(maTapFD) >= SchemaDefs::NetworkAdapterCount);
219 for (unsigned i = 0; i < ELEMENTS(maTapFD); i++)
220 {
221 maTapFD[i] = NIL_RTFILE;
222 maTAPDeviceName[i] = "";
223 }
224#endif
225
226 return S_OK;
227}
228
229void Console::FinalRelease()
230{
231 LogFlowThisFunc (("\n"));
232
233 uninit();
234}
235
236// public initializer/uninitializer for internal purposes only
237/////////////////////////////////////////////////////////////////////////////
238
239HRESULT Console::init (IMachine *aMachine, IInternalMachineControl *aControl)
240{
241 AssertReturn (aMachine && aControl, E_INVALIDARG);
242
243 /* Enclose the state transition NotReady->InInit->Ready */
244 AutoInitSpan autoInitSpan (this);
245 AssertReturn (autoInitSpan.isOk(), E_UNEXPECTED);
246
247 LogFlowThisFuncEnter();
248 LogFlowThisFunc(("aMachine=%p, aControl=%p\n", aMachine, aControl));
249
250 HRESULT rc = E_FAIL;
251
252 unconst (mMachine) = aMachine;
253 unconst (mControl) = aControl;
254
255 /* Cache essential properties and objects */
256
257 rc = mMachine->COMGETTER(State) (&mMachineState);
258 AssertComRCReturn (rc, rc);
259
260 rc = mMachine->COMGETTER(VRDPServer) (unconst (mVRDPServer).asOutParam());
261 AssertComRCReturn (rc, rc);
262
263 rc = mMachine->COMGETTER(DVDDrive) (unconst (mDVDDrive).asOutParam());
264 AssertComRCReturn (rc, rc);
265
266 rc = mMachine->COMGETTER(FloppyDrive) (unconst (mFloppyDrive).asOutParam());
267 AssertComRCReturn (rc, rc);
268
269 /* Create associated child COM objects */
270
271 unconst (mGuest).createObject();
272 rc = mGuest->init (this);
273 AssertComRCReturn (rc, rc);
274
275 unconst (mKeyboard).createObject();
276 rc = mKeyboard->init (this);
277 AssertComRCReturn (rc, rc);
278
279 unconst (mMouse).createObject();
280 rc = mMouse->init (this);
281 AssertComRCReturn (rc, rc);
282
283 unconst (mDisplay).createObject();
284 rc = mDisplay->init (this);
285 AssertComRCReturn (rc, rc);
286
287 unconst (mRemoteDisplayInfo).createObject();
288 rc = mRemoteDisplayInfo->init (this);
289 AssertComRCReturn (rc, rc);
290
291 /* Create other child objects */
292
293 unconst (mConsoleVRDPServer) = new ConsoleVRDPServer (this);
294 AssertReturn (mConsoleVRDPServer, E_FAIL);
295
296#ifdef VRDP_MC
297 m_cAudioRefs = 0;
298#endif /* VRDP_MC */
299
300 unconst (mVMMDev) = new VMMDev(this);
301 AssertReturn (mVMMDev, E_FAIL);
302
303 unconst (mAudioSniffer) = new AudioSniffer(this);
304 AssertReturn (mAudioSniffer, E_FAIL);
305
306 /* Confirm a successful initialization when it's the case */
307 autoInitSpan.setSucceeded();
308
309 LogFlowThisFuncLeave();
310
311 return S_OK;
312}
313
314/**
315 * Uninitializes the Console object.
316 */
317void Console::uninit()
318{
319 LogFlowThisFuncEnter();
320
321 /* Enclose the state transition Ready->InUninit->NotReady */
322 AutoUninitSpan autoUninitSpan (this);
323 if (autoUninitSpan.uninitDone())
324 {
325 LogFlowThisFunc (("Already uninitialized.\n"));
326 LogFlowThisFuncLeave();
327 return;
328 }
329
330 LogFlowThisFunc (("initFailed()=%d\n", autoUninitSpan.initFailed()));
331
332 /*
333 * Uninit all children that ise addDependentChild()/removeDependentChild()
334 * in their init()/uninit() methods.
335 */
336 uninitDependentChildren();
337
338 /* This should be the first, since this may cause detaching remote USB devices. */
339 if (mConsoleVRDPServer)
340 {
341 delete mConsoleVRDPServer;
342 unconst (mConsoleVRDPServer) = NULL;
343 }
344
345 /* power down the VM if necessary */
346 if (mpVM)
347 {
348 powerDown();
349 Assert (mpVM == NULL);
350 }
351
352 if (mVMZeroCallersSem != NIL_RTSEMEVENT)
353 {
354 RTSemEventDestroy (mVMZeroCallersSem);
355 mVMZeroCallersSem = NIL_RTSEMEVENT;
356 }
357
358 if (mAudioSniffer)
359 {
360 delete mAudioSniffer;
361 unconst (mAudioSniffer) = NULL;
362 }
363
364 if (mVMMDev)
365 {
366 delete mVMMDev;
367 unconst (mVMMDev) = NULL;
368 }
369
370 mSharedFolders.clear();
371 mRemoteUSBDevices.clear();
372 mUSBDevices.clear();
373
374 if (mRemoteDisplayInfo)
375 {
376 mRemoteDisplayInfo->uninit();
377 unconst (mRemoteDisplayInfo).setNull();;
378 }
379
380 if (mDebugger)
381 {
382 mDebugger->uninit();
383 unconst (mDebugger).setNull();
384 }
385
386 if (mDisplay)
387 {
388 mDisplay->uninit();
389 unconst (mDisplay).setNull();
390 }
391
392 if (mMouse)
393 {
394 mMouse->uninit();
395 unconst (mMouse).setNull();
396 }
397
398 if (mKeyboard)
399 {
400 mKeyboard->uninit();
401 unconst (mKeyboard).setNull();;
402 }
403
404 if (mGuest)
405 {
406 mGuest->uninit();
407 unconst (mGuest).setNull();;
408 }
409
410 unconst (mFloppyDrive).setNull();
411 unconst (mDVDDrive).setNull();
412 unconst (mVRDPServer).setNull();
413
414 unconst (mControl).setNull();
415 unconst (mMachine).setNull();
416
417 // Release all callbacks. Do this after uninitializing the components,
418 // as some of them are well-behaved and unregister their callbacks.
419 // These would trigger error messages complaining about trying to
420 // unregister a non-registered callback.
421 mCallbacks.clear();
422
423 LogFlowThisFuncLeave();
424}
425
426#ifdef VRDP_MC
427DECLCALLBACK(int) Console::vrdp_ClientLogon (void *pvUser,
428 uint32_t u32ClientId,
429 const char *pszUser,
430 const char *pszPassword,
431 const char *pszDomain)
432#else
433DECLCALLBACK(int) Console::vrdp_ClientLogon (void *pvUser, const char *pszUser,
434 const char *pszPassword,
435 const char *pszDomain)
436#endif /* VRDP_MC */
437{
438 LogFlowFuncEnter();
439#ifdef VRDP_MC
440 LogFlowFunc (("%d, %s, %s, %s\n", u32ClientId, pszUser, pszPassword, pszDomain));
441#else
442 LogFlowFunc (("%s, %s, %s\n", pszUser, pszPassword, pszDomain));
443#endif /* VRDP_MC */
444
445 Console *console = static_cast <Console *> (pvUser);
446 AssertReturn (console, VERR_INVALID_POINTER);
447
448 AutoCaller autoCaller (console);
449 if (!autoCaller.isOk())
450 {
451 /* Console has been already uninitialized, deny request */
452 LogRel(("VRDPAUTH: Access denied (Console uninitialized).\n"));
453 LogFlowFuncLeave();
454 return VERR_ACCESS_DENIED;
455 }
456
457 Guid uuid;
458 HRESULT hrc = console->mMachine->COMGETTER (Id) (uuid.asOutParam());
459 AssertComRCReturn (hrc, VERR_ACCESS_DENIED);
460
461 VRDPAuthType_T authType = VRDPAuthType_VRDPAuthNull;
462 hrc = console->mVRDPServer->COMGETTER(AuthType) (&authType);
463 AssertComRCReturn (hrc, VERR_ACCESS_DENIED);
464
465 ULONG authTimeout = 0;
466 hrc = console->mVRDPServer->COMGETTER(AuthTimeout) (&authTimeout);
467 AssertComRCReturn (hrc, VERR_ACCESS_DENIED);
468
469 VRDPAuthResult result = VRDPAuthAccessDenied;
470 VRDPAuthGuestJudgement guestJudgement = VRDPAuthGuestNotAsked;
471
472 LogFlowFunc(("Auth type %d\n", authType));
473
474 LogRel (("VRDPAUTH: User: [%s]. Domain: [%s]. Authentication type: [%s]\n",
475 pszUser, pszDomain,
476 authType == VRDPAuthType_VRDPAuthNull?
477 "null":
478 (authType == VRDPAuthType_VRDPAuthExternal?
479 "external":
480 (authType == VRDPAuthType_VRDPAuthGuest?
481 "guest":
482 "INVALID"
483 )
484 )
485 ));
486
487 switch (authType)
488 {
489 case VRDPAuthType_VRDPAuthNull:
490 {
491 result = VRDPAuthAccessGranted;
492 break;
493 }
494
495 case VRDPAuthType_VRDPAuthExternal:
496 {
497 /* Call the external library. */
498 result = console->mConsoleVRDPServer->Authenticate (uuid, guestJudgement, pszUser, pszPassword, pszDomain);
499
500 if (result != VRDPAuthDelegateToGuest)
501 {
502 break;
503 }
504
505 LogRel(("VRDPAUTH: Delegated to guest.\n"));
506
507 LogFlowFunc (("External auth asked for guest judgement\n"));
508 } /* pass through */
509
510 case VRDPAuthType_VRDPAuthGuest:
511 {
512 guestJudgement = VRDPAuthGuestNotReacted;
513
514 if (console->mVMMDev)
515 {
516 /* Issue the request to guest. Assume that the call does not require EMT. It should not. */
517
518 /* Ask the guest to judge these credentials. */
519 uint32_t u32GuestFlags = VMMDEV_SETCREDENTIALS_JUDGE;
520
521 int rc = console->mVMMDev->getVMMDevPort()->pfnSetCredentials (console->mVMMDev->getVMMDevPort(),
522 pszUser, pszPassword, pszDomain, u32GuestFlags);
523
524 if (VBOX_SUCCESS (rc))
525 {
526 /* Wait for guest. */
527 rc = console->mVMMDev->WaitCredentialsJudgement (authTimeout, &u32GuestFlags);
528
529 if (VBOX_SUCCESS (rc))
530 {
531 switch (u32GuestFlags & (VMMDEV_CREDENTIALS_JUDGE_OK | VMMDEV_CREDENTIALS_JUDGE_DENY | VMMDEV_CREDENTIALS_JUDGE_NOJUDGEMENT))
532 {
533 case VMMDEV_CREDENTIALS_JUDGE_DENY: guestJudgement = VRDPAuthGuestAccessDenied; break;
534 case VMMDEV_CREDENTIALS_JUDGE_NOJUDGEMENT: guestJudgement = VRDPAuthGuestNoJudgement; break;
535 case VMMDEV_CREDENTIALS_JUDGE_OK: guestJudgement = VRDPAuthGuestAccessGranted; break;
536 default:
537 LogFlowFunc (("Invalid guest flags %08X!!!\n", u32GuestFlags)); break;
538 }
539 }
540 else
541 {
542 LogFlowFunc (("Wait for credentials judgement rc = %Vrc!!!\n", rc));
543 }
544
545 LogFlowFunc (("Guest judgement %d\n", guestJudgement));
546 }
547 else
548 {
549 LogFlowFunc (("Could not set credentials rc = %Vrc!!!\n", rc));
550 }
551 }
552
553 if (authType == VRDPAuthType_VRDPAuthExternal)
554 {
555 LogRel(("VRDPAUTH: Guest judgement %d.\n", guestJudgement));
556 LogFlowFunc (("External auth called again with guest judgement = %d\n", guestJudgement));
557 result = console->mConsoleVRDPServer->Authenticate (uuid, guestJudgement, pszUser, pszPassword, pszDomain);
558 }
559 else
560 {
561 switch (guestJudgement)
562 {
563 case VRDPAuthGuestAccessGranted:
564 result = VRDPAuthAccessGranted;
565 break;
566 default:
567 result = VRDPAuthAccessDenied;
568 break;
569 }
570 }
571 } break;
572
573 default:
574 AssertFailed();
575 }
576
577 LogFlowFunc (("Result = %d\n", result));
578 LogFlowFuncLeave();
579
580 if (result == VRDPAuthAccessGranted)
581 {
582 LogRel(("VRDPAUTH: Access granted.\n"));
583 return VINF_SUCCESS;
584 }
585
586 /* Reject. */
587 LogRel(("VRDPAUTH: Access denied.\n"));
588 return VERR_ACCESS_DENIED;
589}
590
591#ifdef VRDP_MC
592DECLCALLBACK(void) Console::vrdp_ClientConnect (void *pvUser,
593 uint32_t u32ClientId)
594#else
595DECLCALLBACK(void) Console::vrdp_ClientConnect (void *pvUser,
596 uint32_t fu32SupportedOrders)
597#endif /* VRDP_MC */
598{
599 LogFlowFuncEnter();
600
601 Console *console = static_cast <Console *> (pvUser);
602 AssertReturnVoid (console);
603
604 AutoCaller autoCaller (console);
605 AssertComRCReturnVoid (autoCaller.rc());
606
607#ifdef VBOX_VRDP
608#ifdef VRDP_MC
609 NOREF(u32ClientId);
610 console->mDisplay->VideoAccelVRDP (true);
611#else
612 console->mDisplay->VideoAccelVRDP (true, fu32SupportedOrders);
613#endif /* VRDP_MC */
614#endif /* VBOX_VRDP */
615
616 LogFlowFuncLeave();
617 return;
618}
619
620#ifdef VRDP_MC
621DECLCALLBACK(void) Console::vrdp_ClientDisconnect (void *pvUser,
622 uint32_t u32ClientId,
623 uint32_t fu32Intercepted)
624#else
625DECLCALLBACK(void) Console::vrdp_ClientDisconnect (void *pvUser)
626#endif /* VRDP_MC */
627{
628 LogFlowFuncEnter();
629
630 Console *console = static_cast <Console *> (pvUser);
631 AssertReturnVoid (console);
632
633 AutoCaller autoCaller (console);
634 AssertComRCReturnVoid (autoCaller.rc());
635
636 AssertReturnVoid (console->mConsoleVRDPServer);
637
638#ifdef VBOX_VRDP
639#ifdef VRDP_MC
640 console->mDisplay->VideoAccelVRDP (false);
641#else
642 console->mDisplay->VideoAccelVRDP (false, 0);
643#endif /* VRDP_MC */
644#endif /* VBOX_VRDP */
645
646#ifdef VRDP_MC
647 if (fu32Intercepted & VRDP_CLIENT_INTERCEPT_USB)
648 {
649 console->mConsoleVRDPServer->USBBackendDelete (u32ClientId);
650 }
651#else
652 console->mConsoleVRDPServer->DeleteUSBBackend ();
653#endif /* VRDP_MC */
654
655#ifdef VBOX_VRDP
656#ifdef VRDP_MC
657 if (fu32Intercepted & VRDP_CLIENT_INTERCEPT_AUDIO)
658 {
659 console->m_cAudioRefs--;
660
661 if (console->m_cAudioRefs <= 0)
662 {
663 if (console->mAudioSniffer)
664 {
665 PPDMIAUDIOSNIFFERPORT port = console->mAudioSniffer->getAudioSnifferPort();
666 if (port)
667 {
668 port->pfnSetup (port, false, false);
669 }
670 }
671 }
672 }
673#else
674 if (console->mAudioSniffer)
675 {
676 PPDMIAUDIOSNIFFERPORT port = console->mAudioSniffer->getAudioSnifferPort();
677 if (port)
678 {
679 port->pfnSetup (port, false, false);
680 }
681 }
682#endif /* VRDP_MC */
683#endif /* VBOX_VRDP */
684
685 LogFlowFuncLeave();
686 return;
687}
688
689#ifdef VRDP_MC
690DECLCALLBACK(void) Console::vrdp_InterceptAudio (void *pvUser,
691 uint32_t u32ClientId)
692#else
693DECLCALLBACK(void) Console::vrdp_InterceptAudio (void *pvUser, bool fKeepHostAudio)
694#endif /* VRDP_MC */
695{
696 LogFlowFuncEnter();
697
698 Console *console = static_cast <Console *> (pvUser);
699 AssertReturnVoid (console);
700
701 AutoCaller autoCaller (console);
702 AssertComRCReturnVoid (autoCaller.rc());
703
704#ifdef VRDP_MC
705 LogFlowFunc (("mAudioSniffer %p, u32ClientId %d.\n",
706 console->mAudioSniffer, u32ClientId));
707 NOREF(u32ClientId);
708#else
709 LogFlowFunc (("mAudioSniffer %p, keepHostAudio %d.\n",
710 console->mAudioSniffer, fKeepHostAudio));
711#endif /* VRDP_MC */
712
713#ifdef VBOX_VRDP
714#ifdef VRDP_MC
715 console->m_cAudioRefs++;
716
717 if (console->m_cAudioRefs == 1)
718 {
719 if (console->mAudioSniffer)
720 {
721 PPDMIAUDIOSNIFFERPORT port = console->mAudioSniffer->getAudioSnifferPort();
722 if (port)
723 {
724 port->pfnSetup (port, true, true);
725 }
726 }
727 }
728#else
729 if (console->mAudioSniffer)
730 {
731 PPDMIAUDIOSNIFFERPORT port = console->mAudioSniffer->getAudioSnifferPort();
732 if (port)
733 {
734 port->pfnSetup (port, true, !!fKeepHostAudio);
735 }
736 }
737#endif /* VRDP_MC */
738#endif
739
740 LogFlowFuncLeave();
741 return;
742}
743
744#ifdef VRDP_MC
745DECLCALLBACK(void) Console::vrdp_InterceptUSB (void *pvUser,
746 uint32_t u32ClientId,
747 PFNVRDPUSBCALLBACK *ppfn,
748 void **ppv)
749#else
750DECLCALLBACK(void) Console::vrdp_InterceptUSB (void *pvUser, PFNVRDPUSBCALLBACK *ppfn, void **ppv)
751#endif /* VRDP_MC */
752{
753 LogFlowFuncEnter();
754
755 Console *console = static_cast <Console *> (pvUser);
756 AssertReturnVoid (console);
757
758 AutoCaller autoCaller (console);
759 AssertComRCReturnVoid (autoCaller.rc());
760
761 AssertReturnVoid (console->mConsoleVRDPServer);
762
763#ifdef VRDP_MC
764 console->mConsoleVRDPServer->USBBackendCreate (u32ClientId, ppfn, ppv);
765#else
766 console->mConsoleVRDPServer->CreateUSBBackend (ppfn, ppv);
767#endif /* VRDP_MC */
768
769 LogFlowFuncLeave();
770 return;
771}
772
773// static
774VRDPSERVERCALLBACK Console::sVrdpServerCallback =
775{
776 vrdp_ClientLogon,
777 vrdp_ClientConnect,
778 vrdp_ClientDisconnect,
779 vrdp_InterceptAudio,
780 vrdp_InterceptUSB
781};
782
783//static
784char *Console::sSSMConsoleUnit = "ConsoleData";
785//static
786uint32_t Console::sSSMConsoleVer = 0x00010000;
787
788/**
789 * Loads various console data stored in the saved state file.
790 * This method does validation of the state file and returns an error info
791 * when appropriate.
792 *
793 * The method does nothing if the machine is not in the Saved file or if
794 * console data from it has already been loaded.
795 *
796 * @note The caller must lock this object for writing.
797 */
798HRESULT Console::loadDataFromSavedState()
799{
800 if (mMachineState != MachineState_Saved || mSavedStateDataLoaded)
801 return S_OK;
802
803 Bstr savedStateFile;
804 HRESULT rc = mMachine->COMGETTER(StateFilePath) (savedStateFile.asOutParam());
805 if (FAILED (rc))
806 return rc;
807
808 PSSMHANDLE ssm;
809 int vrc = SSMR3Open (Utf8Str(savedStateFile), 0, &ssm);
810 if (VBOX_SUCCESS (vrc))
811 {
812 uint32_t version = 0;
813 vrc = SSMR3Seek (ssm, sSSMConsoleUnit, 0 /* iInstance */, &version);
814 if (version == sSSMConsoleVer)
815 {
816 if (VBOX_SUCCESS (vrc))
817 vrc = loadStateFileExec (ssm, this, 0);
818 else if (vrc == VERR_SSM_UNIT_NOT_FOUND)
819 vrc = VINF_SUCCESS;
820 }
821 else
822 vrc = VERR_SSM_UNSUPPORTED_DATA_UNIT_VERSION;
823
824 SSMR3Close (ssm);
825 }
826
827 if (VBOX_FAILURE (vrc))
828 rc = setError (E_FAIL,
829 tr ("The saved state file '%ls' is invalid (%Vrc). "
830 "Discard the saved state and try again"),
831 savedStateFile.raw(), vrc);
832
833 mSavedStateDataLoaded = true;
834
835 return rc;
836}
837
838/**
839 * Callback handler to save various console data to the state file,
840 * called when the user saves the VM state.
841 *
842 * @param pvUser pointer to Console
843 *
844 * @note Locks the Console object for reading.
845 */
846//static
847DECLCALLBACK(void)
848Console::saveStateFileExec (PSSMHANDLE pSSM, void *pvUser)
849{
850 LogFlowFunc (("\n"));
851
852 Console *that = static_cast <Console *> (pvUser);
853 AssertReturnVoid (that);
854
855 AutoCaller autoCaller (that);
856 AssertComRCReturnVoid (autoCaller.rc());
857
858 AutoReaderLock alock (that);
859
860 int vrc = SSMR3PutU32 (pSSM, that->mSharedFolders.size());
861 AssertRC (vrc);
862
863 for (SharedFolderList::const_iterator it = that->mSharedFolders.begin();
864 it != that->mSharedFolders.end();
865 ++ it)
866 {
867 ComObjPtr <SharedFolder> folder = (*it);
868 AutoLock folderLock (folder);
869
870 Utf8Str name = folder->name();
871 vrc = SSMR3PutU32 (pSSM, name.length() + 1 /* term. 0 */);
872 AssertRC (vrc);
873 vrc = SSMR3PutStrZ (pSSM, name);
874 AssertRC (vrc);
875
876 Utf8Str hostPath = folder->hostPath();
877 vrc = SSMR3PutU32 (pSSM, hostPath.length() + 1 /* term. 0 */);
878 AssertRC (vrc);
879 vrc = SSMR3PutStrZ (pSSM, hostPath);
880 AssertRC (vrc);
881 }
882
883 return;
884}
885
886/**
887 * Callback handler to load various console data from the state file.
888 * When \a u32Version is 0, this method is called from #loadDataFromSavedState,
889 * otherwise it is called when the VM is being restored from the saved state.
890 *
891 * @param pvUser pointer to Console
892 * @param u32Version Console unit version.
893 * When not 0, should match sSSMConsoleVer.
894 *
895 * @note Locks the Console object for writing.
896 */
897//static
898DECLCALLBACK(int)
899Console::loadStateFileExec (PSSMHANDLE pSSM, void *pvUser, uint32_t u32Version)
900{
901 LogFlowFunc (("\n"));
902
903 if (u32Version != 0 && u32Version != sSSMConsoleVer)
904 return VERR_VERSION_MISMATCH;
905
906 if (u32Version != 0)
907 {
908 /* currently, nothing to do when we've been called from VMR3Load */
909 return VINF_SUCCESS;
910 }
911
912 Console *that = static_cast <Console *> (pvUser);
913 AssertReturn (that, VERR_INVALID_PARAMETER);
914
915 AutoCaller autoCaller (that);
916 AssertComRCReturn (autoCaller.rc(), VERR_ACCESS_DENIED);
917
918 AutoLock alock (that);
919
920 AssertReturn (that->mSharedFolders.size() == 0, VERR_INTERNAL_ERROR);
921
922 uint32_t size = 0;
923 int vrc = SSMR3GetU32 (pSSM, &size);
924 AssertRCReturn (vrc, vrc);
925
926 for (uint32_t i = 0; i < size; ++ i)
927 {
928 Bstr name;
929 Bstr hostPath;
930
931 uint32_t szBuf = 0;
932 char *buf = NULL;
933
934 vrc = SSMR3GetU32 (pSSM, &szBuf);
935 AssertRCReturn (vrc, vrc);
936 buf = new char [szBuf];
937 vrc = SSMR3GetStrZ (pSSM, buf, szBuf);
938 AssertRC (vrc);
939 name = buf;
940 delete[] buf;
941
942 vrc = SSMR3GetU32 (pSSM, &szBuf);
943 AssertRCReturn (vrc, vrc);
944 buf = new char [szBuf];
945 vrc = SSMR3GetStrZ (pSSM, buf, szBuf);
946 AssertRC (vrc);
947 hostPath = buf;
948 delete[] buf;
949
950 ComObjPtr <SharedFolder> sharedFolder;
951 sharedFolder.createObject();
952 HRESULT rc = sharedFolder->init (that, name, hostPath);
953 AssertComRCReturn (rc, VERR_INTERNAL_ERROR);
954 if (FAILED (rc))
955 return rc;
956
957 that->mSharedFolders.push_back (sharedFolder);
958 }
959
960 return VINF_SUCCESS;
961}
962
963// IConsole properties
964/////////////////////////////////////////////////////////////////////////////
965
966STDMETHODIMP Console::COMGETTER(Machine) (IMachine **aMachine)
967{
968 if (!aMachine)
969 return E_POINTER;
970
971 AutoCaller autoCaller (this);
972 CheckComRCReturnRC (autoCaller.rc());
973
974 /* mMachine is constant during life time, no need to lock */
975 mMachine.queryInterfaceTo (aMachine);
976
977 return S_OK;
978}
979
980STDMETHODIMP Console::COMGETTER(State) (MachineState_T *aMachineState)
981{
982 if (!aMachineState)
983 return E_POINTER;
984
985 AutoCaller autoCaller (this);
986 CheckComRCReturnRC (autoCaller.rc());
987
988 AutoReaderLock alock (this);
989
990 /* we return our local state (since it's always the same as on the server) */
991 *aMachineState = mMachineState;
992
993 return S_OK;
994}
995
996STDMETHODIMP Console::COMGETTER(Guest) (IGuest **aGuest)
997{
998 if (!aGuest)
999 return E_POINTER;
1000
1001 AutoCaller autoCaller (this);
1002 CheckComRCReturnRC (autoCaller.rc());
1003
1004 /* mGuest is constant during life time, no need to lock */
1005 mGuest.queryInterfaceTo (aGuest);
1006
1007 return S_OK;
1008}
1009
1010STDMETHODIMP Console::COMGETTER(Keyboard) (IKeyboard **aKeyboard)
1011{
1012 if (!aKeyboard)
1013 return E_POINTER;
1014
1015 AutoCaller autoCaller (this);
1016 CheckComRCReturnRC (autoCaller.rc());
1017
1018 /* mKeyboard is constant during life time, no need to lock */
1019 mKeyboard.queryInterfaceTo (aKeyboard);
1020
1021 return S_OK;
1022}
1023
1024STDMETHODIMP Console::COMGETTER(Mouse) (IMouse **aMouse)
1025{
1026 if (!aMouse)
1027 return E_POINTER;
1028
1029 AutoCaller autoCaller (this);
1030 CheckComRCReturnRC (autoCaller.rc());
1031
1032 /* mMouse is constant during life time, no need to lock */
1033 mMouse.queryInterfaceTo (aMouse);
1034
1035 return S_OK;
1036}
1037
1038STDMETHODIMP Console::COMGETTER(Display) (IDisplay **aDisplay)
1039{
1040 if (!aDisplay)
1041 return E_POINTER;
1042
1043 AutoCaller autoCaller (this);
1044 CheckComRCReturnRC (autoCaller.rc());
1045
1046 /* mDisplay is constant during life time, no need to lock */
1047 mDisplay.queryInterfaceTo (aDisplay);
1048
1049 return S_OK;
1050}
1051
1052STDMETHODIMP Console::COMGETTER(Debugger) (IMachineDebugger **aDebugger)
1053{
1054 if (!aDebugger)
1055 return E_POINTER;
1056
1057 AutoCaller autoCaller (this);
1058 CheckComRCReturnRC (autoCaller.rc());
1059
1060 /* we need a write lock because of the lazy mDebugger initialization*/
1061 AutoLock alock (this);
1062
1063 /* check if we have to create the debugger object */
1064 if (!mDebugger)
1065 {
1066 unconst (mDebugger).createObject();
1067 mDebugger->init (this);
1068 }
1069
1070 mDebugger.queryInterfaceTo (aDebugger);
1071
1072 return S_OK;
1073}
1074
1075STDMETHODIMP Console::COMGETTER(USBDevices) (IUSBDeviceCollection **aUSBDevices)
1076{
1077 if (!aUSBDevices)
1078 return E_POINTER;
1079
1080 AutoCaller autoCaller (this);
1081 CheckComRCReturnRC (autoCaller.rc());
1082
1083 AutoReaderLock alock (this);
1084
1085 ComObjPtr <USBDeviceCollection> collection;
1086 collection.createObject();
1087 collection->init (mUSBDevices);
1088 collection.queryInterfaceTo (aUSBDevices);
1089
1090 return S_OK;
1091}
1092
1093STDMETHODIMP Console::COMGETTER(RemoteUSBDevices) (IHostUSBDeviceCollection **aRemoteUSBDevices)
1094{
1095 if (!aRemoteUSBDevices)
1096 return E_POINTER;
1097
1098 AutoCaller autoCaller (this);
1099 CheckComRCReturnRC (autoCaller.rc());
1100
1101 AutoReaderLock alock (this);
1102
1103 ComObjPtr <RemoteUSBDeviceCollection> collection;
1104 collection.createObject();
1105 collection->init (mRemoteUSBDevices);
1106 collection.queryInterfaceTo (aRemoteUSBDevices);
1107
1108 return S_OK;
1109}
1110
1111STDMETHODIMP Console::COMGETTER(RemoteDisplayInfo) (IRemoteDisplayInfo **aRemoteDisplayInfo)
1112{
1113 if (!aRemoteDisplayInfo)
1114 return E_POINTER;
1115
1116 AutoCaller autoCaller (this);
1117 CheckComRCReturnRC (autoCaller.rc());
1118
1119 /* mDisplay is constant during life time, no need to lock */
1120 mRemoteDisplayInfo.queryInterfaceTo (aRemoteDisplayInfo);
1121
1122 return S_OK;
1123}
1124
1125STDMETHODIMP
1126Console::COMGETTER(SharedFolders) (ISharedFolderCollection **aSharedFolders)
1127{
1128 if (!aSharedFolders)
1129 return E_POINTER;
1130
1131 AutoCaller autoCaller (this);
1132 CheckComRCReturnRC (autoCaller.rc());
1133
1134 /* loadDataFromSavedState() needs a write lock */
1135 AutoLock alock (this);
1136
1137 /* Read console data stored in the saved state file (if not yet done) */
1138 HRESULT rc = loadDataFromSavedState();
1139 CheckComRCReturnRC (rc);
1140
1141 ComObjPtr <SharedFolderCollection> coll;
1142 coll.createObject();
1143 coll->init (mSharedFolders);
1144 coll.queryInterfaceTo (aSharedFolders);
1145
1146 return S_OK;
1147}
1148
1149// IConsole methods
1150/////////////////////////////////////////////////////////////////////////////
1151
1152STDMETHODIMP Console::PowerUp (IProgress **aProgress)
1153{
1154 LogFlowThisFuncEnter();
1155 LogFlowThisFunc (("mMachineState=%d\n", mMachineState));
1156
1157 AutoCaller autoCaller (this);
1158 CheckComRCReturnRC (autoCaller.rc());
1159
1160 AutoLock alock (this);
1161
1162 if (mMachineState >= MachineState_Running)
1163 return setError(E_FAIL, tr ("Cannot power up the machine as it is already running. (Machine state: %d)"), mMachineState);
1164
1165 /*
1166 * First check whether all disks are accessible. This is not a 100%
1167 * bulletproof approach (race condition, it might become inaccessible
1168 * right after the check) but it's convenient as it will cover 99.9%
1169 * of the cases and here, we're able to provide meaningful error
1170 * information.
1171 */
1172 ComPtr<IHardDiskAttachmentCollection> coll;
1173 mMachine->COMGETTER(HardDiskAttachments)(coll.asOutParam());
1174 ComPtr<IHardDiskAttachmentEnumerator> enumerator;
1175 coll->Enumerate(enumerator.asOutParam());
1176 BOOL fHasMore;
1177 while (SUCCEEDED(enumerator->HasMore(&fHasMore)) && fHasMore)
1178 {
1179 ComPtr<IHardDiskAttachment> attach;
1180 enumerator->GetNext(attach.asOutParam());
1181 ComPtr<IHardDisk> hdd;
1182 attach->COMGETTER(HardDisk)(hdd.asOutParam());
1183 Assert(hdd);
1184 BOOL fAccessible;
1185 HRESULT rc = hdd->COMGETTER(AllAccessible)(&fAccessible);
1186 CheckComRCReturnRC (rc);
1187 if (!fAccessible)
1188 {
1189 Bstr loc;
1190 hdd->COMGETTER(Location)(loc.asOutParam());
1191 return setError (E_FAIL,
1192 tr ("VM cannot start because the hard disk '%ls' is not accessible"),
1193 loc.raw());
1194 }
1195 }
1196
1197 /* now perform the same check if a ISO is mounted */
1198 ComPtr<IDVDDrive> dvdDrive;
1199 mMachine->COMGETTER(DVDDrive)(dvdDrive.asOutParam());
1200 ComPtr<IDVDImage> dvdImage;
1201 dvdDrive->GetImage(dvdImage.asOutParam());
1202 if (dvdImage)
1203 {
1204 BOOL fAccessible;
1205 HRESULT rc = dvdImage->COMGETTER(Accessible)(&fAccessible);
1206 CheckComRCReturnRC (rc);
1207 if (!fAccessible)
1208 {
1209 Bstr filePath;
1210 dvdImage->COMGETTER(FilePath)(filePath.asOutParam());
1211 return setError (E_FAIL,
1212 tr ("VM cannot start because the DVD image '%ls' is not accessible"),
1213 filePath.raw());
1214 }
1215 }
1216
1217 /* now perform the same check if a floppy is mounted */
1218 ComPtr<IFloppyDrive> floppyDrive;
1219 mMachine->COMGETTER(FloppyDrive)(floppyDrive.asOutParam());
1220 ComPtr<IFloppyImage> floppyImage;
1221 floppyDrive->GetImage(floppyImage.asOutParam());
1222 if (floppyImage)
1223 {
1224 BOOL fAccessible;
1225 HRESULT rc = floppyImage->COMGETTER(Accessible)(&fAccessible);
1226 CheckComRCReturnRC (rc);
1227 if (!fAccessible)
1228 {
1229 Bstr filePath;
1230 floppyImage->COMGETTER(FilePath)(filePath.asOutParam());
1231 return setError (E_FAIL,
1232 tr ("VM cannot start because the floppy image '%ls' is not accessible"),
1233 filePath.raw());
1234 }
1235 }
1236
1237 /* now the network cards will undergo a quick consistency check */
1238 for (ULONG slot = 0; slot < SchemaDefs::NetworkAdapterCount; slot ++)
1239 {
1240 ComPtr<INetworkAdapter> adapter;
1241 mMachine->GetNetworkAdapter (slot, adapter.asOutParam());
1242 BOOL enabled = FALSE;
1243 adapter->COMGETTER(Enabled) (&enabled);
1244 if (!enabled)
1245 continue;
1246
1247 NetworkAttachmentType_T netattach;
1248 adapter->COMGETTER(AttachmentType)(&netattach);
1249 switch (netattach)
1250 {
1251 case NetworkAttachmentType_HostInterfaceNetworkAttachment:
1252 {
1253#ifdef __WIN__
1254 /* a valid host interface must have been set */
1255 Bstr hostif;
1256 adapter->COMGETTER(HostInterface)(hostif.asOutParam());
1257 if (!hostif)
1258 {
1259 return setError (E_FAIL,
1260 tr ("VM cannot start because host interface networking "
1261 "requires a host interface name to be set"));
1262 }
1263 ComPtr<IVirtualBox> virtualBox;
1264 mMachine->COMGETTER(Parent)(virtualBox.asOutParam());
1265 ComPtr<IHost> host;
1266 virtualBox->COMGETTER(Host)(host.asOutParam());
1267 ComPtr<IHostNetworkInterfaceCollection> coll;
1268 host->COMGETTER(NetworkInterfaces)(coll.asOutParam());
1269 ComPtr<IHostNetworkInterface> hostInterface;
1270 if (!SUCCEEDED(coll->FindByName(hostif, hostInterface.asOutParam())))
1271 {
1272 return setError (E_FAIL,
1273 tr ("VM cannot start because the host interface '%ls' "
1274 "does not exist"),
1275 hostif.raw());
1276 }
1277#endif /* __WIN__ */
1278 break;
1279 }
1280 default:
1281 break;
1282 }
1283 }
1284
1285 /* Read console data stored in the saved state file (if not yet done) */
1286 {
1287 HRESULT rc = loadDataFromSavedState();
1288 CheckComRCReturnRC (rc);
1289 }
1290
1291 /* Check all types of shared folders and compose a single list */
1292 std::map <Bstr, ComPtr <ISharedFolder> > sharedFolders;
1293 {
1294 /// @todo (dmik) check and add globally shared folders when they are
1295 // done
1296
1297 ComPtr <ISharedFolderCollection> coll;
1298 HRESULT rc = mMachine->COMGETTER(SharedFolders) (coll.asOutParam());
1299 CheckComRCReturnRC (rc);
1300 ComPtr <ISharedFolderEnumerator> en;
1301 rc = coll->Enumerate (en.asOutParam());
1302 CheckComRCReturnRC (rc);
1303
1304 BOOL hasMore = FALSE;
1305 while (SUCCEEDED (en->HasMore (&hasMore)) && hasMore)
1306 {
1307 ComPtr <ISharedFolder> folder;
1308 en->GetNext (folder.asOutParam());
1309
1310 Bstr name;
1311 rc = folder->COMGETTER(Name) (name.asOutParam());
1312 CheckComRCReturnRC (rc);
1313
1314 BOOL accessible = FALSE;
1315 rc = folder->COMGETTER(Accessible) (&accessible);
1316 CheckComRCReturnRC (rc);
1317
1318 if (!accessible)
1319 {
1320 Bstr hostPath;
1321 folder->COMGETTER(HostPath) (hostPath.asOutParam());
1322 return setError (E_FAIL,
1323 tr ("Host path '%ls' of the shared folder '%ls' is not accessible"),
1324 hostPath.raw(), name.raw());
1325 }
1326
1327 sharedFolders.insert (std::make_pair (name, folder));
1328 /// @todo (dmik) later, do this:
1329// if (!sharedFolders.insert (std::pair <name, folder>).second)
1330// return setError (E_FAIL,
1331// tr ("Could not accept a permanently shared folder named '%ls' "
1332// "because a globally shared folder with the same name "
1333// "already exists"),
1334// name.raw());
1335 }
1336
1337 for (SharedFolderList::const_iterator it = mSharedFolders.begin();
1338 it != mSharedFolders.end(); ++ it)
1339 {
1340 ComPtr <ISharedFolder> folder = static_cast <SharedFolder *> (*it);
1341
1342 if (!sharedFolders.insert (std::make_pair ((*it)->name(), folder)).second)
1343 return setError (E_FAIL,
1344 tr ("Could not create a transient shared folder named '%ls' "
1345 "because a global or a permanent shared folder with "
1346 "the same name already exists"),
1347 (*it)->name().raw());
1348 }
1349 }
1350
1351 Bstr savedStateFile;
1352
1353 /*
1354 * Saved VMs will have to prove that their saved states are kosher.
1355 */
1356 if (mMachineState == MachineState_Saved)
1357 {
1358 HRESULT rc = mMachine->COMGETTER(StateFilePath) (savedStateFile.asOutParam());
1359 CheckComRCReturnRC (rc);
1360 ComAssertRet (!!savedStateFile, E_FAIL);
1361 int vrc = SSMR3ValidateFile (Utf8Str (savedStateFile));
1362 if (VBOX_FAILURE (vrc))
1363 return setError (E_FAIL,
1364 tr ("VM cannot start because the saved state file '%ls' is invalid (%Vrc). "
1365 "Discard the saved state prior to starting the VM"),
1366 savedStateFile.raw(), vrc);
1367 }
1368
1369 /* create an IProgress object to track progress of this operation */
1370 ComObjPtr <Progress> progress;
1371 progress.createObject();
1372 Bstr progressDesc;
1373 if (mMachineState == MachineState_Saved)
1374 progressDesc = tr ("Restoring the virtual machine");
1375 else
1376 progressDesc = tr ("Starting the virtual machine");
1377 progress->init ((IConsole *) this, progressDesc, FALSE /* aCancelable */);
1378
1379 /* pass reference to caller if requested */
1380 if (aProgress)
1381 progress.queryInterfaceTo (aProgress);
1382
1383 /* setup task object and thread to carry out the operation asynchronously */
1384 std::auto_ptr <VMPowerUpTask> task (new VMPowerUpTask (this, progress));
1385 ComAssertComRCRetRC (task->rc());
1386
1387 task->mSetVMErrorCallback = setVMErrorCallback;
1388 task->mConfigConstructor = configConstructor;
1389 task->mSharedFolders = sharedFolders;
1390 if (mMachineState == MachineState_Saved)
1391 task->mSavedStateFile = savedStateFile;
1392
1393 int vrc = RTThreadCreate (NULL, Console::powerUpThread, (void *) task.get(),
1394 0, RTTHREADTYPE_MAIN_WORKER, 0, "VMPowerUp");
1395
1396 ComAssertMsgRCRet (vrc, ("Could not create VMPowerUp thread (%Vrc)\n", vrc),
1397 E_FAIL);
1398
1399 /* task is now owned by powerUpThread(), so release it */
1400 task.release();
1401
1402 if (mMachineState == MachineState_Saved)
1403 setMachineState (MachineState_Restoring);
1404 else
1405 setMachineState (MachineState_Starting);
1406
1407 LogFlowThisFunc (("mMachineState=%d\n", mMachineState));
1408 LogFlowThisFuncLeave();
1409 return S_OK;
1410}
1411
1412STDMETHODIMP Console::PowerDown()
1413{
1414 LogFlowThisFuncEnter();
1415 LogFlowThisFunc (("mMachineState=%d\n", mMachineState));
1416
1417 AutoCaller autoCaller (this);
1418 CheckComRCReturnRC (autoCaller.rc());
1419
1420 AutoLock alock (this);
1421
1422 if (mMachineState != MachineState_Running &&
1423 mMachineState != MachineState_Paused)
1424 {
1425 /* extra nice error message for a common case */
1426 if (mMachineState == MachineState_Saved)
1427 return setError(E_FAIL, tr ("Cannot power off a saved machine"));
1428 else
1429 return setError(E_FAIL, tr ("Cannot power off the machine as it is not running or paused. (Machine state: %d)"), mMachineState);
1430 }
1431
1432 LogFlowThisFunc (("Sending SHUTDOWN request...\n"));
1433
1434 HRESULT rc = powerDown();
1435
1436 LogFlowThisFunc (("mMachineState=%d, rc=%08X\n", mMachineState, rc));
1437 LogFlowThisFuncLeave();
1438 return rc;
1439}
1440
1441STDMETHODIMP Console::Reset()
1442{
1443 LogFlowThisFuncEnter();
1444 LogFlowThisFunc (("mMachineState=%d\n", mMachineState));
1445
1446 AutoCaller autoCaller (this);
1447 CheckComRCReturnRC (autoCaller.rc());
1448
1449 AutoLock alock (this);
1450
1451 if (mMachineState != MachineState_Running)
1452 return setError(E_FAIL, tr ("Cannot reset the machine as it is not running. (Machine state: %d)"), mMachineState);
1453
1454 /* protect mpVM */
1455 AutoVMCaller autoVMCaller (this);
1456 CheckComRCReturnRC (autoVMCaller.rc());
1457
1458 /* leave the lock before a VMR3* call (EMT will call us back)! */
1459 alock.leave();
1460
1461 int vrc = VMR3Reset (mpVM);
1462
1463 HRESULT rc = VBOX_SUCCESS (vrc) ? S_OK :
1464 setError (E_FAIL, tr ("Could not reset the machine. (Error: %Vrc)"), vrc);
1465
1466 LogFlowThisFunc (("mMachineState=%d, rc=%08X\n", mMachineState, rc));
1467 LogFlowThisFuncLeave();
1468 return rc;
1469}
1470
1471STDMETHODIMP Console::Pause()
1472{
1473 LogFlowThisFuncEnter();
1474
1475 AutoCaller autoCaller (this);
1476 CheckComRCReturnRC (autoCaller.rc());
1477
1478 AutoLock alock (this);
1479
1480 if (mMachineState != MachineState_Running)
1481 return setError (E_FAIL, tr ("Cannot pause the machine as it is not running. (Machine state: %d)"), mMachineState);
1482
1483 /* protect mpVM */
1484 AutoVMCaller autoVMCaller (this);
1485 CheckComRCReturnRC (autoVMCaller.rc());
1486
1487 LogFlowThisFunc (("Sending PAUSE request...\n"));
1488
1489 /* leave the lock before a VMR3* call (EMT will call us back)! */
1490 alock.leave();
1491
1492 int vrc = VMR3Suspend (mpVM);
1493
1494 HRESULT rc = VBOX_SUCCESS (vrc) ? S_OK :
1495 setError (E_FAIL,
1496 tr ("Could not suspend the machine execution. (Error: %Vrc)"), vrc);
1497
1498 LogFlowThisFunc (("rc=%08X\n", rc));
1499 LogFlowThisFuncLeave();
1500 return rc;
1501}
1502
1503STDMETHODIMP Console::Resume()
1504{
1505 LogFlowThisFuncEnter();
1506
1507 AutoCaller autoCaller (this);
1508 CheckComRCReturnRC (autoCaller.rc());
1509
1510 AutoLock alock (this);
1511
1512 if (mMachineState != MachineState_Paused)
1513 return setError (E_FAIL, tr ("Cannot resume the machine as it is not paused. (Machine state: %d)"), mMachineState);
1514
1515 /* protect mpVM */
1516 AutoVMCaller autoVMCaller (this);
1517 CheckComRCReturnRC (autoVMCaller.rc());
1518
1519 LogFlowThisFunc (("Sending RESUME request...\n"));
1520
1521 /* leave the lock before a VMR3* call (EMT will call us back)! */
1522 alock.leave();
1523
1524 int vrc = VMR3Resume (mpVM);
1525
1526 HRESULT rc = VBOX_SUCCESS (vrc) ? S_OK :
1527 setError (E_FAIL,
1528 tr ("Could not resume the machine execution. (Error: %Vrc)"), vrc);
1529
1530 LogFlowThisFunc (("rc=%08X\n", rc));
1531 LogFlowThisFuncLeave();
1532 return rc;
1533}
1534
1535STDMETHODIMP Console::PowerButton()
1536{
1537 LogFlowThisFuncEnter();
1538
1539 AutoCaller autoCaller (this);
1540 CheckComRCReturnRC (autoCaller.rc());
1541
1542 AutoLock lock (this);
1543
1544 if (mMachineState != MachineState_Running)
1545 return setError (E_FAIL, tr ("Cannot power off the machine as it is not running. (Machine state: %d)"), mMachineState);
1546
1547 /* protect mpVM */
1548 AutoVMCaller autoVMCaller (this);
1549 CheckComRCReturnRC (autoVMCaller.rc());
1550
1551 PPDMIBASE pBase;
1552 int vrc = PDMR3QueryDeviceLun (mpVM, "acpi", 0, 0, &pBase);
1553 if (VBOX_SUCCESS (vrc))
1554 {
1555 Assert (pBase);
1556 PPDMIACPIPORT pPort =
1557 (PPDMIACPIPORT) pBase->pfnQueryInterface(pBase, PDMINTERFACE_ACPI_PORT);
1558 vrc = pPort ? pPort->pfnPowerButtonPress(pPort) : VERR_INVALID_POINTER;
1559 }
1560
1561 HRESULT rc = VBOX_SUCCESS (vrc) ? S_OK :
1562 setError (E_FAIL,
1563 tr ("Controlled power off failed. (Error: %Vrc)"), vrc);
1564
1565 LogFlowThisFunc (("rc=%08X\n", rc));
1566 LogFlowThisFuncLeave();
1567 return rc;
1568}
1569
1570STDMETHODIMP Console::SaveState (IProgress **aProgress)
1571{
1572 LogFlowThisFuncEnter();
1573 LogFlowThisFunc (("mMachineState=%d\n", mMachineState));
1574
1575 if (!aProgress)
1576 return E_POINTER;
1577
1578 AutoCaller autoCaller (this);
1579 CheckComRCReturnRC (autoCaller.rc());
1580
1581 AutoLock alock (this);
1582
1583 if (mMachineState != MachineState_Running &&
1584 mMachineState != MachineState_Paused)
1585 {
1586 return setError (E_FAIL,
1587 tr ("Cannot save the machine state as the machine is not running or paused. (Machine state: %d)"), mMachineState);
1588 }
1589
1590 /* memorize the current machine state */
1591 MachineState_T lastMachineState = mMachineState;
1592
1593 if (mMachineState == MachineState_Running)
1594 {
1595 HRESULT rc = Pause();
1596 CheckComRCReturnRC (rc);
1597 }
1598
1599 HRESULT rc = S_OK;
1600
1601 /* create a progress object to track operation completion */
1602 ComObjPtr <Progress> progress;
1603 progress.createObject();
1604 progress->init ((IConsole *) this,
1605 Bstr (tr ("Saving the execution state of the virtual machine")),
1606 FALSE /* aCancelable */);
1607
1608 bool beganSavingState = false;
1609 bool taskCreationFailed = false;
1610
1611 do
1612 {
1613 /* create a task object early to ensure mpVM protection is successful */
1614 std::auto_ptr <VMSaveTask> task (new VMSaveTask (this, progress));
1615 rc = task->rc();
1616 /*
1617 * If we fail here it means a PowerDown() call happened on another
1618 * thread while we were doing Pause() (which leaves the Console lock).
1619 * We assign PowerDown() a higher precendence than SaveState(),
1620 * therefore just return the error to the caller.
1621 */
1622 if (FAILED (rc))
1623 {
1624 taskCreationFailed = true;
1625 break;
1626 }
1627
1628 Bstr stateFilePath;
1629
1630 /*
1631 * request a saved state file path from the server
1632 * (this will set the machine state to Saving on the server to block
1633 * others from accessing this machine)
1634 */
1635 rc = mControl->BeginSavingState (progress, stateFilePath.asOutParam());
1636 CheckComRCBreakRC (rc);
1637
1638 beganSavingState = true;
1639
1640 /* sync the state with the server */
1641 setMachineStateLocally (MachineState_Saving);
1642
1643 /* ensure the directory for the saved state file exists */
1644 {
1645 Utf8Str dir = stateFilePath;
1646 RTPathStripFilename (dir.mutableRaw());
1647 if (!RTDirExists (dir))
1648 {
1649 int vrc = RTDirCreateFullPath (dir, 0777);
1650 if (VBOX_FAILURE (vrc))
1651 {
1652 rc = setError (E_FAIL,
1653 tr ("Could not create a directory '%s' to save the state to. (Error: %Vrc)"),
1654 dir.raw(), vrc);
1655 break;
1656 }
1657 }
1658 }
1659
1660 /* setup task object and thread to carry out the operation asynchronously */
1661 task->mIsSnapshot = false;
1662 task->mSavedStateFile = stateFilePath;
1663 /* set the state the operation thread will restore when it is finished */
1664 task->mLastMachineState = lastMachineState;
1665
1666 /* create a thread to wait until the VM state is saved */
1667 int vrc = RTThreadCreate (NULL, Console::saveStateThread, (void *) task.get(),
1668 0, RTTHREADTYPE_MAIN_WORKER, 0, "VMSave");
1669
1670 ComAssertMsgRCBreak (vrc, ("Could not create VMSave thread (%Vrc)\n", vrc),
1671 rc = E_FAIL);
1672
1673 /* task is now owned by saveStateThread(), so release it */
1674 task.release();
1675
1676 /* return the progress to the caller */
1677 progress.queryInterfaceTo (aProgress);
1678 }
1679 while (0);
1680
1681 if (FAILED (rc) && !taskCreationFailed)
1682 {
1683 /* fetch any existing error info */
1684 ErrorInfo ei;
1685
1686 if (beganSavingState)
1687 {
1688 /*
1689 * cancel the requested save state procedure.
1690 * This will reset the machine state to the state it had right
1691 * before calling mControl->BeginSavingState().
1692 */
1693 mControl->EndSavingState (FALSE);
1694 }
1695
1696 if (lastMachineState == MachineState_Running)
1697 {
1698 /* restore the paused state if appropriate */
1699 setMachineStateLocally (MachineState_Paused);
1700 /* restore the running state if appropriate */
1701 Resume();
1702 }
1703 else
1704 setMachineStateLocally (lastMachineState);
1705
1706 /* restore fetched error info */
1707 setError (ei);
1708 }
1709
1710 LogFlowThisFunc (("rc=%08X\n", rc));
1711 LogFlowThisFuncLeave();
1712 return rc;
1713}
1714
1715STDMETHODIMP Console::DiscardSavedState()
1716{
1717 AutoCaller autoCaller (this);
1718 CheckComRCReturnRC (autoCaller.rc());
1719
1720 AutoLock alock (this);
1721
1722 if (mMachineState != MachineState_Saved)
1723 return setError (E_FAIL,
1724 tr ("Cannot discard the machine state as the machine is not in the saved state. (Machine state: %d"), mMachineState);
1725
1726 /*
1727 * Saved -> PoweredOff transition will be detected in the SessionMachine
1728 * and properly handled.
1729 */
1730 setMachineState (MachineState_PoweredOff);
1731
1732 return S_OK;
1733}
1734
1735/** read the value of a LEd. */
1736inline uint32_t readAndClearLed(PPDMLED pLed)
1737{
1738 if (!pLed)
1739 return 0;
1740 uint32_t u32 = pLed->Actual.u32 | pLed->Asserted.u32;
1741 pLed->Asserted.u32 = 0;
1742 return u32;
1743}
1744
1745STDMETHODIMP Console::GetDeviceActivity (DeviceType_T aDeviceType,
1746 DeviceActivity_T *aDeviceActivity)
1747{
1748 if (!aDeviceActivity)
1749 return E_INVALIDARG;
1750
1751 AutoCaller autoCaller (this);
1752 CheckComRCReturnRC (autoCaller.rc());
1753
1754 /*
1755 * Note: we don't lock the console object here because
1756 * readAndClearLed() should be thread safe.
1757 */
1758
1759 /* Get LED array to read */
1760 PDMLEDCORE SumLed = {0};
1761 switch (aDeviceType)
1762 {
1763 case DeviceType_FloppyDevice:
1764 {
1765 for (unsigned i = 0; i < ELEMENTS(mapFDLeds); i++)
1766 SumLed.u32 |= readAndClearLed(mapFDLeds[i]);
1767 break;
1768 }
1769
1770 case DeviceType_DVDDevice:
1771 SumLed.u32 |= readAndClearLed(mapIDELeds[2]);
1772 break;
1773
1774 case DeviceType_HardDiskDevice:
1775 SumLed.u32 |= readAndClearLed(mapIDELeds[0]);
1776 SumLed.u32 |= readAndClearLed(mapIDELeds[1]);
1777 SumLed.u32 |= readAndClearLed(mapIDELeds[3]);
1778 break;
1779
1780 case DeviceType_NetworkDevice:
1781 {
1782 for (unsigned i = 0; i < ELEMENTS(mapNetworkLeds); i++)
1783 SumLed.u32 |= readAndClearLed(mapNetworkLeds[i]);
1784 break;
1785 }
1786
1787 default:
1788 return setError (E_INVALIDARG,
1789 tr ("Invalid device type: %d"), aDeviceType);
1790 }
1791
1792 /* Compose the result */
1793 switch (SumLed.u32 & (PDMLED_READING | PDMLED_WRITING))
1794 {
1795 case 0:
1796 *aDeviceActivity = DeviceActivity_DeviceIdle;
1797 break;
1798 case PDMLED_READING:
1799 *aDeviceActivity = DeviceActivity_DeviceReading;
1800 break;
1801 case PDMLED_WRITING:
1802 case PDMLED_READING | PDMLED_WRITING:
1803 *aDeviceActivity = DeviceActivity_DeviceWriting;
1804 break;
1805 }
1806
1807 return S_OK;
1808}
1809
1810STDMETHODIMP Console::AttachUSBDevice (INPTR GUIDPARAM aId)
1811{
1812 AutoCaller autoCaller (this);
1813 CheckComRCReturnRC (autoCaller.rc());
1814
1815 AutoLock alock (this);
1816
1817 /// @todo (r=dmik) is it legal to attach USB devices when the machine is
1818 // Paused, Starting, Saving, Stopping, etc? if not, we should make a
1819 // stricter check (mMachineState != MachineState_Running).
1820 if (mMachineState < MachineState_Running)
1821 return setError (E_FAIL, tr ("Cannot attach a USB device to a machine which is not running. (Machine state: %d)"), mMachineState);
1822
1823 /* protect mpVM */
1824 AutoVMCaller autoVMCaller (this);
1825 CheckComRCReturnRC (autoVMCaller.rc());
1826
1827 /* Don't proceed unless we've found the usb controller. */
1828 PPDMIBASE pBase = NULL;
1829 int vrc = PDMR3QueryLun (mpVM, "usb-ohci", 0, 0, &pBase);
1830 if (VBOX_FAILURE (vrc))
1831 return setError (E_FAIL, tr ("The virtual machine does not have a USB controller."));
1832
1833 PVUSBIRHCONFIG pRhConfig = (PVUSBIRHCONFIG) pBase->
1834 pfnQueryInterface (pBase, PDMINTERFACE_VUSB_RH_CONFIG);
1835 ComAssertRet (pRhConfig, E_FAIL);
1836
1837 /// @todo (dmik) REMOTE_USB
1838 // when remote USB devices are ready, first search for a device with the
1839 // given UUID in mRemoteUSBDevices. If found, request a capture from
1840 // a remote client. If not found, search it on the local host as done below
1841
1842 /*
1843 * Try attach the given host USB device (a proper errror message should
1844 * be returned in case of error).
1845 */
1846 ComPtr <IUSBDevice> hostDevice;
1847 HRESULT hrc = mControl->CaptureUSBDevice (aId, hostDevice.asOutParam());
1848 CheckComRCReturnRC (hrc);
1849
1850 return attachUSBDevice (hostDevice, true /* aManual */, pRhConfig);
1851}
1852
1853STDMETHODIMP Console::DetachUSBDevice (INPTR GUIDPARAM aId, IUSBDevice **aDevice)
1854{
1855 if (!aDevice)
1856 return E_POINTER;
1857
1858 AutoCaller autoCaller (this);
1859 CheckComRCReturnRC (autoCaller.rc());
1860
1861 AutoLock alock (this);
1862
1863 /* Find it. */
1864 ComObjPtr <USBDevice> device;
1865 USBDeviceList::iterator it = mUSBDevices.begin();
1866 while (it != mUSBDevices.end())
1867 {
1868 if ((*it)->id() == aId)
1869 {
1870 device = *it;
1871 break;
1872 }
1873 ++ it;
1874 }
1875
1876 if (!device)
1877 return setError (E_INVALIDARG,
1878 tr ("Cannot detach the USB device (UUID: %s) as it is not attached here."),
1879 Guid (aId).toString().raw());
1880
1881 /* protect mpVM */
1882 AutoVMCaller autoVMCaller (this);
1883 CheckComRCReturnRC (autoVMCaller.rc());
1884
1885 PPDMIBASE pBase = NULL;
1886 int vrc = PDMR3QueryLun (mpVM, "usb-ohci", 0, 0, &pBase);
1887
1888 /* if the device is attached, then there must be a USB controller */
1889 ComAssertRCRet (vrc, E_FAIL);
1890
1891 PVUSBIRHCONFIG pRhConfig = (PVUSBIRHCONFIG) pBase->
1892 pfnQueryInterface (pBase, PDMINTERFACE_VUSB_RH_CONFIG);
1893 ComAssertRet (pRhConfig, E_FAIL);
1894
1895 Guid Uuid(aId);
1896
1897 LogFlowThisFunc (("Detaching USB proxy device {%Vuuid}...\n", Uuid.raw()));
1898
1899 /* leave the lock before a VMR3* call (EMT will call us back)! */
1900 alock.leave();
1901
1902 PVMREQ pReq = NULL;
1903 vrc = VMR3ReqCall (mpVM, &pReq, RT_INDEFINITE_WAIT,
1904 (PFNRT) usbDetachCallback, 5,
1905 this, &it, true /* aManual */, pRhConfig, Uuid.raw());
1906 if (VBOX_SUCCESS (vrc))
1907 vrc = pReq->iStatus;
1908 VMR3ReqFree (pReq);
1909
1910 HRESULT hrc = S_OK;
1911
1912 if (VBOX_SUCCESS (vrc))
1913 device.queryInterfaceTo (aDevice);
1914 else
1915 hrc = setError (E_FAIL,
1916 tr ("Error detaching the USB device. (Failed to destroy the USB proxy device: %Vrc)"), vrc);
1917
1918 return hrc;
1919}
1920
1921STDMETHODIMP
1922Console::CreateSharedFolder (INPTR BSTR aName, INPTR BSTR aHostPath)
1923{
1924 if (!aName || !aHostPath)
1925 return E_INVALIDARG;
1926
1927 AutoCaller autoCaller (this);
1928 CheckComRCReturnRC (autoCaller.rc());
1929
1930 AutoLock alock (this);
1931
1932 if (mMachineState == MachineState_Saved)
1933 return setError (E_FAIL,
1934 tr ("Cannot create a transient shared folder on a "
1935 "machine in the saved state."));
1936
1937 /// @todo (dmik) check globally shared folders when they are done
1938
1939 /* check machine's shared folders */
1940 {
1941 ComPtr <ISharedFolderCollection> coll;
1942 HRESULT rc = mMachine->COMGETTER(SharedFolders) (coll.asOutParam());
1943 if (FAILED (rc))
1944 return rc;
1945
1946 ComPtr <ISharedFolder> machineSharedFolder;
1947 rc = coll->FindByName (aName, machineSharedFolder.asOutParam());
1948 if (SUCCEEDED (rc))
1949 return setError (E_FAIL,
1950 tr ("A permanent shared folder named '%ls' already "
1951 "exists."), aName);
1952 }
1953
1954 ComObjPtr <SharedFolder> sharedFolder;
1955 HRESULT rc = findSharedFolder (aName, sharedFolder, false /* aSetError */);
1956 if (SUCCEEDED (rc))
1957 return setError (E_FAIL,
1958 tr ("A shared folder named '%ls' already exists."), aName);
1959
1960 sharedFolder.createObject();
1961 rc = sharedFolder->init (this, aName, aHostPath);
1962 CheckComRCReturnRC (rc);
1963
1964 BOOL accessible = FALSE;
1965 rc = sharedFolder->COMGETTER(Accessible) (&accessible);
1966 CheckComRCReturnRC (rc);
1967
1968 if (!accessible)
1969 return setError (E_FAIL,
1970 tr ("The shared folder path '%ls' on the host is not accessible."), aHostPath);
1971
1972 /* protect mpVM */
1973 AutoVMCaller autoVMCaller (this);
1974 CheckComRCReturnRC (autoVMCaller.rc());
1975
1976 /// @todo (r=sander?) should move this into the shared folder class */
1977 if (mpVM && mVMMDev->getShFlClientId())
1978 {
1979 /*
1980 * if the VM is online and supports shared folders, share this folde
1981 * under the specified name. On error, return it to the caller.
1982 */
1983 VBOXHGCMSVCPARM parms[2];
1984 SHFLSTRING *pFolderName, *pMapName;
1985 int cbString;
1986
1987 Log(("Add shared folder %ls -> %ls\n", aName, aHostPath));
1988
1989 cbString = (RTStrUcs2Len(aHostPath) + 1) * sizeof(RTUCS2);
1990 pFolderName = (SHFLSTRING *)RTMemAllocZ(sizeof(SHFLSTRING) + cbString);
1991 Assert(pFolderName);
1992 memcpy(pFolderName->String.ucs2, aHostPath, cbString);
1993
1994 pFolderName->u16Size = cbString;
1995 pFolderName->u16Length = cbString - sizeof(RTUCS2);
1996
1997 parms[0].type = VBOX_HGCM_SVC_PARM_PTR;
1998 parms[0].u.pointer.addr = pFolderName;
1999 parms[0].u.pointer.size = sizeof(SHFLSTRING) + cbString;
2000
2001 cbString = (RTStrUcs2Len(aName) + 1) * sizeof(RTUCS2);
2002 pMapName = (SHFLSTRING *)RTMemAllocZ(sizeof(SHFLSTRING) + cbString);
2003 Assert(pMapName);
2004 memcpy(pMapName->String.ucs2, aName, cbString);
2005
2006 pMapName->u16Size = cbString;
2007 pMapName->u16Length = cbString - sizeof(RTUCS2);
2008
2009 parms[1].type = VBOX_HGCM_SVC_PARM_PTR;
2010 parms[1].u.pointer.addr = pMapName;
2011 parms[1].u.pointer.size = sizeof(SHFLSTRING) + cbString;
2012
2013 rc = mVMMDev->hgcmHostCall("VBoxSharedFolders", SHFL_FN_ADD_MAPPING, 2, &parms[0]);
2014 RTMemFree(pFolderName);
2015 RTMemFree(pMapName);
2016 if (rc != VINF_SUCCESS)
2017 return setError (E_FAIL, tr ("Unable to add mapping %ls to %ls."), aHostPath, aName);
2018 }
2019
2020 mSharedFolders.push_back (sharedFolder);
2021 return S_OK;
2022}
2023
2024STDMETHODIMP Console::RemoveSharedFolder (INPTR BSTR aName)
2025{
2026 if (!aName)
2027 return E_INVALIDARG;
2028
2029 AutoCaller autoCaller (this);
2030 CheckComRCReturnRC (autoCaller.rc());
2031
2032 AutoLock alock (this);
2033
2034 if (mMachineState == MachineState_Saved)
2035 return setError (E_FAIL,
2036 tr ("Cannot remove a transient shared folder when the "
2037 "machine is in the saved state."));
2038
2039 ComObjPtr <SharedFolder> sharedFolder;
2040 HRESULT rc = findSharedFolder (aName, sharedFolder, true /* aSetError */);
2041 CheckComRCReturnRC (rc);
2042
2043 /* protect mpVM */
2044 AutoVMCaller autoVMCaller (this);
2045 CheckComRCReturnRC (autoVMCaller.rc());
2046
2047 if (mpVM && mVMMDev->getShFlClientId())
2048 {
2049 /*
2050 * if the VM is online and supports shared folders, UNshare this folder.
2051 * On error, return it to the caller.
2052 */
2053 VBOXHGCMSVCPARM parms;
2054 SHFLSTRING *pMapName;
2055 int cbString;
2056
2057 cbString = (RTStrUcs2Len(aName) + 1) * sizeof(RTUCS2);
2058 pMapName = (SHFLSTRING *)RTMemAllocZ(sizeof(SHFLSTRING) + cbString);
2059 Assert(pMapName);
2060 memcpy(pMapName->String.ucs2, aName, cbString);
2061
2062 pMapName->u16Size = cbString;
2063 pMapName->u16Length = cbString - sizeof(RTUCS2);
2064
2065 parms.type = VBOX_HGCM_SVC_PARM_PTR;
2066 parms.u.pointer.addr = pMapName;
2067 parms.u.pointer.size = sizeof(SHFLSTRING) + cbString;
2068
2069 rc = mVMMDev->hgcmHostCall("VBoxSharedFolders", SHFL_FN_REMOVE_MAPPING, 1, &parms);
2070 RTMemFree(pMapName);
2071 if (rc != VINF_SUCCESS)
2072 rc = setError (E_FAIL, tr ("Unable to remove the mapping %ls."), aName);
2073 }
2074
2075 mSharedFolders.remove (sharedFolder);
2076 return rc;
2077}
2078
2079STDMETHODIMP Console::TakeSnapshot (INPTR BSTR aName, INPTR BSTR aDescription,
2080 IProgress **aProgress)
2081{
2082 LogFlowThisFuncEnter();
2083 LogFlowThisFunc (("aName='%ls' mMachineState=%08X\n", aName, mMachineState));
2084
2085 if (!aName)
2086 return E_INVALIDARG;
2087 if (!aProgress)
2088 return E_POINTER;
2089
2090 AutoCaller autoCaller (this);
2091 CheckComRCReturnRC (autoCaller.rc());
2092
2093 AutoLock alock (this);
2094
2095 if (mMachineState > MachineState_Running &&
2096 mMachineState != MachineState_Paused)
2097 {
2098 return setError (E_FAIL,
2099 tr ("Cannot take a snapshot of a machine while it is changing state. (Machine state: %d)"), mMachineState);
2100 }
2101
2102 /* memorize the current machine state */
2103 MachineState_T lastMachineState = mMachineState;
2104
2105 if (mMachineState == MachineState_Running)
2106 {
2107 HRESULT rc = Pause();
2108 CheckComRCReturnRC (rc);
2109 }
2110
2111 HRESULT rc = S_OK;
2112
2113 bool takingSnapshotOnline = mMachineState == MachineState_Paused;
2114
2115 /*
2116 * create a descriptionless VM-side progress object
2117 * (only when creating a snapshot online)
2118 */
2119 ComObjPtr <Progress> saveProgress;
2120 if (takingSnapshotOnline)
2121 {
2122 saveProgress.createObject();
2123 rc = saveProgress->init (FALSE, 1, Bstr (tr ("Saving the execution state")));
2124 AssertComRCReturn (rc, rc);
2125 }
2126
2127 bool beganTakingSnapshot = false;
2128 bool taskCreationFailed = false;
2129
2130 do
2131 {
2132 /* create a task object early to ensure mpVM protection is successful */
2133 std::auto_ptr <VMSaveTask> task;
2134 if (takingSnapshotOnline)
2135 {
2136 task.reset (new VMSaveTask (this, saveProgress));
2137 rc = task->rc();
2138 /*
2139 * If we fail here it means a PowerDown() call happened on another
2140 * thread while we were doing Pause() (which leaves the Console lock).
2141 * We assign PowerDown() a higher precendence than TakeSnapshot(),
2142 * therefore just return the error to the caller.
2143 */
2144 if (FAILED (rc))
2145 {
2146 taskCreationFailed = true;
2147 break;
2148 }
2149 }
2150
2151 Bstr stateFilePath;
2152 ComPtr <IProgress> serverProgress;
2153
2154 /*
2155 * request taking a new snapshot object on the server
2156 * (this will set the machine state to Saving on the server to block
2157 * others from accessing this machine)
2158 */
2159 rc = mControl->BeginTakingSnapshot (this, aName, aDescription,
2160 saveProgress, stateFilePath.asOutParam(),
2161 serverProgress.asOutParam());
2162 if (FAILED (rc))
2163 break;
2164
2165 /*
2166 * state file is non-null only when the VM is paused
2167 * (i.e. createing a snapshot online)
2168 */
2169 ComAssertBreak (
2170 (!stateFilePath.isNull() && takingSnapshotOnline) ||
2171 (stateFilePath.isNull() && !takingSnapshotOnline),
2172 rc = E_FAIL);
2173
2174 beganTakingSnapshot = true;
2175
2176 /* sync the state with the server */
2177 setMachineStateLocally (MachineState_Saving);
2178
2179 /*
2180 * create a combined VM-side progress object and start the save task
2181 * (only when creating a snapshot online)
2182 */
2183 ComObjPtr <CombinedProgress> combinedProgress;
2184 if (takingSnapshotOnline)
2185 {
2186 combinedProgress.createObject();
2187 rc = combinedProgress->init ((IConsole *) this,
2188 Bstr (tr ("Taking snapshot of virtual machine")),
2189 serverProgress, saveProgress);
2190 AssertComRCBreakRC (rc);
2191
2192 /* setup task object and thread to carry out the operation asynchronously */
2193 task->mIsSnapshot = true;
2194 task->mSavedStateFile = stateFilePath;
2195 task->mServerProgress = serverProgress;
2196 /* set the state the operation thread will restore when it is finished */
2197 task->mLastMachineState = lastMachineState;
2198
2199 /* create a thread to wait until the VM state is saved */
2200 int vrc = RTThreadCreate (NULL, Console::saveStateThread, (void *) task.get(),
2201 0, RTTHREADTYPE_MAIN_WORKER, 0, "VMTakeSnap");
2202
2203 ComAssertMsgRCBreak (vrc, ("Could not create VMTakeSnap thread (%Vrc)\n", vrc),
2204 rc = E_FAIL);
2205
2206 /* task is now owned by saveStateThread(), so release it */
2207 task.release();
2208 }
2209
2210 if (SUCCEEDED (rc))
2211 {
2212 /* return the correct progress to the caller */
2213 if (combinedProgress)
2214 combinedProgress.queryInterfaceTo (aProgress);
2215 else
2216 serverProgress.queryInterfaceTo (aProgress);
2217 }
2218 }
2219 while (0);
2220
2221 if (FAILED (rc) && !taskCreationFailed)
2222 {
2223 /* fetch any existing error info */
2224 ErrorInfo ei;
2225
2226 if (beganTakingSnapshot && takingSnapshotOnline)
2227 {
2228 /*
2229 * cancel the requested snapshot (only when creating a snapshot
2230 * online, otherwise the server will cancel the snapshot itself).
2231 * This will reset the machine state to the state it had right
2232 * before calling mControl->BeginTakingSnapshot().
2233 */
2234 mControl->EndTakingSnapshot (FALSE);
2235 }
2236
2237 if (lastMachineState == MachineState_Running)
2238 {
2239 /* restore the paused state if appropriate */
2240 setMachineStateLocally (MachineState_Paused);
2241 /* restore the running state if appropriate */
2242 Resume();
2243 }
2244 else
2245 setMachineStateLocally (lastMachineState);
2246
2247 /* restore fetched error info */
2248 setError (ei);
2249 }
2250
2251 LogFlowThisFunc (("rc=%08X\n", rc));
2252 LogFlowThisFuncLeave();
2253 return rc;
2254}
2255
2256STDMETHODIMP Console::DiscardSnapshot (INPTR GUIDPARAM aId, IProgress **aProgress)
2257{
2258 if (Guid (aId).isEmpty())
2259 return E_INVALIDARG;
2260 if (!aProgress)
2261 return E_POINTER;
2262
2263 AutoCaller autoCaller (this);
2264 CheckComRCReturnRC (autoCaller.rc());
2265
2266 AutoLock alock (this);
2267
2268 if (mMachineState >= MachineState_Running)
2269 return setError (E_FAIL,
2270 tr ("Cannot discard a snapshot on a running machine (Machine state: %d)"), mMachineState);
2271
2272 MachineState_T machineState = MachineState_InvalidMachineState;
2273 HRESULT rc = mControl->DiscardSnapshot (this, aId, &machineState, aProgress);
2274 CheckComRCReturnRC (rc);
2275
2276 setMachineStateLocally (machineState);
2277 return S_OK;
2278}
2279
2280STDMETHODIMP Console::DiscardCurrentState (IProgress **aProgress)
2281{
2282 AutoCaller autoCaller (this);
2283 CheckComRCReturnRC (autoCaller.rc());
2284
2285 AutoLock alock (this);
2286
2287 if (mMachineState >= MachineState_Running)
2288 return setError (E_FAIL,
2289 tr ("Cannot discard the current state of a running machine. (Machine state: %d)"), mMachineState);
2290
2291 MachineState_T machineState = MachineState_InvalidMachineState;
2292 HRESULT rc = mControl->DiscardCurrentState (this, &machineState, aProgress);
2293 CheckComRCReturnRC (rc);
2294
2295 setMachineStateLocally (machineState);
2296 return S_OK;
2297}
2298
2299STDMETHODIMP Console::DiscardCurrentSnapshotAndState (IProgress **aProgress)
2300{
2301 AutoCaller autoCaller (this);
2302 CheckComRCReturnRC (autoCaller.rc());
2303
2304 AutoLock alock (this);
2305
2306 if (mMachineState >= MachineState_Running)
2307 return setError (E_FAIL,
2308 tr ("Cannot discard the current snapshot and state on a running machine. (Machine state: %d)"), mMachineState);
2309
2310 MachineState_T machineState = MachineState_InvalidMachineState;
2311 HRESULT rc =
2312 mControl->DiscardCurrentSnapshotAndState (this, &machineState, aProgress);
2313 CheckComRCReturnRC (rc);
2314
2315 setMachineStateLocally (machineState);
2316 return S_OK;
2317}
2318
2319STDMETHODIMP Console::RegisterCallback (IConsoleCallback *aCallback)
2320{
2321 if (!aCallback)
2322 return E_INVALIDARG;
2323
2324 AutoCaller autoCaller (this);
2325 CheckComRCReturnRC (autoCaller.rc());
2326
2327 AutoLock alock (this);
2328
2329 mCallbacks.push_back (CallbackList::value_type (aCallback));
2330 return S_OK;
2331}
2332
2333STDMETHODIMP Console::UnregisterCallback (IConsoleCallback *aCallback)
2334{
2335 if (!aCallback)
2336 return E_INVALIDARG;
2337
2338 AutoCaller autoCaller (this);
2339 CheckComRCReturnRC (autoCaller.rc());
2340
2341 AutoLock alock (this);
2342
2343 CallbackList::iterator it;
2344 it = std::find (mCallbacks.begin(),
2345 mCallbacks.end(),
2346 CallbackList::value_type (aCallback));
2347 if (it == mCallbacks.end())
2348 return setError (E_INVALIDARG,
2349 tr ("The given callback handler is not registered"));
2350
2351 mCallbacks.erase (it);
2352 return S_OK;
2353}
2354
2355// Non-interface public methods
2356/////////////////////////////////////////////////////////////////////////////
2357
2358/**
2359 * Called by IInternalSessionControl::OnDVDDriveChange().
2360 *
2361 * @note Locks this object for reading.
2362 */
2363HRESULT Console::onDVDDriveChange()
2364{
2365 LogFlowThisFunc (("\n"));
2366
2367 AutoCaller autoCaller (this);
2368 AssertComRCReturnRC (autoCaller.rc());
2369
2370 AutoReaderLock alock (this);
2371
2372 /* Ignore callbacks when there's no VM around */
2373 if (!mpVM)
2374 return S_OK;
2375
2376 /* protect mpVM */
2377 AutoVMCaller autoVMCaller (this);
2378 CheckComRCReturnRC (autoVMCaller.rc());
2379
2380 /* Get the current DVD state */
2381 HRESULT rc;
2382 DriveState_T eState;
2383
2384 rc = mDVDDrive->COMGETTER (State) (&eState);
2385 ComAssertComRCRetRC (rc);
2386
2387 /* Paranoia */
2388 if ( eState == DriveState_NotMounted
2389 && meDVDState == DriveState_NotMounted)
2390 {
2391 LogFlowThisFunc (("Returns (NotMounted -> NotMounted)\n"));
2392 return S_OK;
2393 }
2394
2395 /* Get the path string and other relevant properties */
2396 Bstr Path;
2397 bool fPassthrough = false;
2398 switch (eState)
2399 {
2400 case DriveState_ImageMounted:
2401 {
2402 ComPtr <IDVDImage> ImagePtr;
2403 rc = mDVDDrive->GetImage (ImagePtr.asOutParam());
2404 if (SUCCEEDED (rc))
2405 rc = ImagePtr->COMGETTER(FilePath) (Path.asOutParam());
2406 break;
2407 }
2408
2409 case DriveState_HostDriveCaptured:
2410 {
2411 ComPtr <IHostDVDDrive> DrivePtr;
2412 BOOL enabled;
2413 rc = mDVDDrive->GetHostDrive (DrivePtr.asOutParam());
2414 if (SUCCEEDED (rc))
2415 rc = DrivePtr->COMGETTER (Name) (Path.asOutParam());
2416 if (SUCCEEDED (rc))
2417 rc = mDVDDrive->COMGETTER (Passthrough) (&enabled);
2418 if (SUCCEEDED (rc))
2419 fPassthrough = !!enabled;
2420 break;
2421 }
2422
2423 case DriveState_NotMounted:
2424 break;
2425
2426 default:
2427 AssertMsgFailed (("Invalid DriveState: %d\n", eState));
2428 rc = E_FAIL;
2429 break;
2430 }
2431
2432 AssertComRC (rc);
2433 if (FAILED (rc))
2434 {
2435 LogFlowThisFunc (("Returns %#x\n", rc));
2436 return rc;
2437 }
2438
2439 return doDriveChange ("piix3ide", 0, 2, eState, &meDVDState,
2440 Utf8Str (Path).raw(), fPassthrough);
2441}
2442
2443
2444/**
2445 * Called by IInternalSessionControl::OnFloppyDriveChange().
2446 *
2447 * @note Locks this object for reading.
2448 */
2449HRESULT Console::onFloppyDriveChange()
2450{
2451 LogFlowThisFunc (("\n"));
2452
2453 AutoCaller autoCaller (this);
2454 AssertComRCReturnRC (autoCaller.rc());
2455
2456 AutoReaderLock alock (this);
2457
2458 /* Ignore callbacks when there's no VM around */
2459 if (!mpVM)
2460 return S_OK;
2461
2462 /* protect mpVM */
2463 AutoVMCaller autoVMCaller (this);
2464 CheckComRCReturnRC (autoVMCaller.rc());
2465
2466 /* Get the current floppy state */
2467 HRESULT rc;
2468 DriveState_T eState;
2469
2470 /* If the floppy drive is disabled, we're not interested */
2471 BOOL fEnabled;
2472 rc = mFloppyDrive->COMGETTER (Enabled) (&fEnabled);
2473 ComAssertComRCRetRC (rc);
2474
2475 if (!fEnabled)
2476 return S_OK;
2477
2478 rc = mFloppyDrive->COMGETTER (State) (&eState);
2479 ComAssertComRCRetRC (rc);
2480
2481 Log2 (("onFloppyDriveChange: eState=%d meFloppyState=%d\n", eState, meFloppyState));
2482
2483
2484 /* Paranoia */
2485 if ( eState == DriveState_NotMounted
2486 && meFloppyState == DriveState_NotMounted)
2487 {
2488 LogFlowThisFunc (("Returns (NotMounted -> NotMounted)\n"));
2489 return S_OK;
2490 }
2491
2492 /* Get the path string and other relevant properties */
2493 Bstr Path;
2494 switch (eState)
2495 {
2496 case DriveState_ImageMounted:
2497 {
2498 ComPtr <IFloppyImage> ImagePtr;
2499 rc = mFloppyDrive->GetImage (ImagePtr.asOutParam());
2500 if (SUCCEEDED (rc))
2501 rc = ImagePtr->COMGETTER(FilePath) (Path.asOutParam());
2502 break;
2503 }
2504
2505 case DriveState_HostDriveCaptured:
2506 {
2507 ComPtr <IHostFloppyDrive> DrivePtr;
2508 rc = mFloppyDrive->GetHostDrive (DrivePtr.asOutParam());
2509 if (SUCCEEDED (rc))
2510 rc = DrivePtr->COMGETTER (Name) (Path.asOutParam());
2511 break;
2512 }
2513
2514 case DriveState_NotMounted:
2515 break;
2516
2517 default:
2518 AssertMsgFailed (("Invalid DriveState: %d\n", eState));
2519 rc = E_FAIL;
2520 break;
2521 }
2522
2523 AssertComRC (rc);
2524 if (FAILED (rc))
2525 {
2526 LogFlowThisFunc (("Returns %#x\n", rc));
2527 return rc;
2528 }
2529
2530 return doDriveChange ("i82078", 0, 0, eState, &meFloppyState,
2531 Utf8Str (Path).raw(), false);
2532}
2533
2534
2535/**
2536 * Process a floppy or dvd change.
2537 *
2538 * @returns COM status code.
2539 *
2540 * @param pszDevice The PDM device name.
2541 * @param uInstance The PDM device instance.
2542 * @param uLun The PDM LUN number of the drive.
2543 * @param eState The new state.
2544 * @param peState Pointer to the variable keeping the actual state of the drive.
2545 * This will be both read and updated to eState or other appropriate state.
2546 * @param pszPath The path to the media / drive which is now being mounted / captured.
2547 * If NULL no media or drive is attached and the lun will be configured with
2548 * the default block driver with no media. This will also be the state if
2549 * mounting / capturing the specified media / drive fails.
2550 * @param fPassthrough Enables using passthrough mode of the host DVD drive if applicable.
2551 *
2552 * @note Locks this object for reading.
2553 */
2554HRESULT Console::doDriveChange (const char *pszDevice, unsigned uInstance, unsigned uLun, DriveState_T eState,
2555 DriveState_T *peState, const char *pszPath, bool fPassthrough)
2556{
2557 LogFlowThisFunc (("pszDevice=%p:{%s} uInstance=%u uLun=%u eState=%d "
2558 "peState=%p:{%d} pszPath=%p:{%s} fPassthrough=%d\n",
2559 pszDevice, pszDevice, uInstance, uLun, eState,
2560 peState, *peState, pszPath, pszPath, fPassthrough));
2561
2562 AutoCaller autoCaller (this);
2563 AssertComRCReturnRC (autoCaller.rc());
2564
2565 AutoReaderLock alock (this);
2566
2567 /* protect mpVM */
2568 AutoVMCaller autoVMCaller (this);
2569 CheckComRCReturnRC (autoVMCaller.rc());
2570
2571 /*
2572 * Call worker in EMT, that's faster and safer than doing everything
2573 * using VM3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
2574 * here to make requests from under the lock in order to serialize them.
2575 */
2576 PVMREQ pReq;
2577 int vrc = VMR3ReqCall (mpVM, &pReq, 0 /* no wait! */,
2578 (PFNRT) Console::changeDrive, 8,
2579 this, pszDevice, uInstance, uLun, eState, peState,
2580 pszPath, fPassthrough);
2581 /// @todo (r=dmik) bird, it would be nice to have a special VMR3Req method
2582 // for that purpose, that doesn't return useless VERR_TIMEOUT
2583 if (vrc == VERR_TIMEOUT)
2584 vrc = VINF_SUCCESS;
2585
2586 /* leave the lock before waiting for a result (EMT will call us back!) */
2587 alock.leave();
2588
2589 if (VBOX_SUCCESS (vrc))
2590 {
2591 vrc = VMR3ReqWait (pReq, RT_INDEFINITE_WAIT);
2592 AssertRC (vrc);
2593 if (VBOX_SUCCESS (vrc))
2594 vrc = pReq->iStatus;
2595 }
2596 VMR3ReqFree (pReq);
2597
2598 if (VBOX_SUCCESS (vrc))
2599 {
2600 LogFlowThisFunc (("Returns S_OK\n"));
2601 return S_OK;
2602 }
2603
2604 if (pszPath)
2605 return setError (E_FAIL,
2606 tr ("Could not mount the media/drive '%s' (%Vrc)"), pszPath, vrc);
2607
2608 return setError (E_FAIL,
2609 tr ("Could not unmount the currently mounted media/drive (%Vrc)"), vrc);
2610}
2611
2612
2613/**
2614 * Performs the Floppy/DVD change in EMT.
2615 *
2616 * @returns VBox status code.
2617 *
2618 * @param pThis Pointer to the Console object.
2619 * @param pszDevice The PDM device name.
2620 * @param uInstance The PDM device instance.
2621 * @param uLun The PDM LUN number of the drive.
2622 * @param eState The new state.
2623 * @param peState Pointer to the variable keeping the actual state of the drive.
2624 * This will be both read and updated to eState or other appropriate state.
2625 * @param pszPath The path to the media / drive which is now being mounted / captured.
2626 * If NULL no media or drive is attached and the lun will be configured with
2627 * the default block driver with no media. This will also be the state if
2628 * mounting / capturing the specified media / drive fails.
2629 * @param fPassthrough Enables using passthrough mode of the host DVD drive if applicable.
2630 *
2631 * @thread EMT
2632 * @note Locks the Console object for writing
2633 */
2634DECLCALLBACK(int) Console::changeDrive (Console *pThis, const char *pszDevice, unsigned uInstance, unsigned uLun,
2635 DriveState_T eState, DriveState_T *peState,
2636 const char *pszPath, bool fPassthrough)
2637{
2638 LogFlowFunc (("pThis=%p pszDevice=%p:{%s} uInstance=%u uLun=%u eState=%d "
2639 "peState=%p:{%d} pszPath=%p:{%s} fPassthrough=%d\n",
2640 pThis, pszDevice, pszDevice, uInstance, uLun, eState,
2641 peState, *peState, pszPath, pszPath, fPassthrough));
2642
2643 AssertReturn (pThis, VERR_INVALID_PARAMETER);
2644
2645 AssertMsg ( (!strcmp (pszDevice, "i82078") && uLun == 0 && uInstance == 0)
2646 || (!strcmp (pszDevice, "piix3ide") && uLun == 2 && uInstance == 0),
2647 ("pszDevice=%s uLun=%d uInstance=%d\n", pszDevice, uLun, uInstance));
2648
2649 AutoCaller autoCaller (pThis);
2650 AssertComRCReturn (autoCaller.rc(), VERR_ACCESS_DENIED);
2651
2652 /*
2653 * Locking the object before doing VMR3* calls is quite safe here,
2654 * since we're on EMT. Write lock is necessary because we're indirectly
2655 * modify the meDVDState/meFloppyState members (pointed to by peState).
2656 */
2657 AutoLock alock (pThis);
2658
2659 /* protect mpVM */
2660 AutoVMCaller autoVMCaller (pThis);
2661 CheckComRCReturnRC (autoVMCaller.rc());
2662
2663 PVM pVM = pThis->mpVM;
2664
2665 /*
2666 * Suspend the VM first.
2667 *
2668 * The VM must not be running since it might have pending I/O to
2669 * the drive which is being changed.
2670 */
2671 bool fResume;
2672 VMSTATE enmVMState = VMR3GetState (pVM);
2673 switch (enmVMState)
2674 {
2675 case VMSTATE_RESETTING:
2676 case VMSTATE_RUNNING:
2677 {
2678 LogFlowFunc (("Suspending the VM...\n"));
2679 /* disable the callback to prevent Console-level state change */
2680 pThis->mVMStateChangeCallbackDisabled = true;
2681 int rc = VMR3Suspend (pVM);
2682 pThis->mVMStateChangeCallbackDisabled = false;
2683 AssertRCReturn (rc, rc);
2684 fResume = true;
2685 break;
2686 }
2687
2688 case VMSTATE_SUSPENDED:
2689 case VMSTATE_CREATED:
2690 case VMSTATE_OFF:
2691 fResume = false;
2692 break;
2693
2694 default:
2695 AssertMsgFailedReturn (("enmVMState=%d\n", enmVMState), VERR_ACCESS_DENIED);
2696 }
2697
2698 int rc = VINF_SUCCESS;
2699 int rcRet = VINF_SUCCESS;
2700
2701 do
2702 {
2703 /*
2704 * Unmount existing media / detach host drive.
2705 */
2706 PPDMIMOUNT pIMount = NULL;
2707 switch (*peState)
2708 {
2709
2710 case DriveState_ImageMounted:
2711 {
2712 /*
2713 * Resolve the interface.
2714 */
2715 PPDMIBASE pBase;
2716 rc = PDMR3QueryLun (pVM, pszDevice, uInstance, uLun, &pBase);
2717 if (VBOX_FAILURE (rc))
2718 {
2719 if (rc == VERR_PDM_LUN_NOT_FOUND)
2720 rc = VINF_SUCCESS;
2721 AssertRC (rc);
2722 break;
2723 }
2724
2725 pIMount = (PPDMIMOUNT) pBase->pfnQueryInterface (pBase, PDMINTERFACE_MOUNT);
2726 AssertBreak (pIMount, rc = VERR_INVALID_POINTER);
2727
2728 /*
2729 * Unmount the media.
2730 */
2731 rc = pIMount->pfnUnmount (pIMount);
2732 if (rc == VERR_PDM_MEDIA_NOT_MOUNTED)
2733 rc = VINF_SUCCESS;
2734 break;
2735 }
2736
2737 case DriveState_HostDriveCaptured:
2738 {
2739 rc = PDMR3DeviceDetach (pVM, pszDevice, uInstance, uLun);
2740 if (rc == VINF_PDM_NO_DRIVER_ATTACHED_TO_LUN)
2741 rc = VINF_SUCCESS;
2742 AssertRC (rc);
2743 break;
2744 }
2745
2746 case DriveState_NotMounted:
2747 break;
2748
2749 default:
2750 AssertMsgFailed (("Invalid *peState: %d\n", peState));
2751 break;
2752 }
2753
2754 if (VBOX_FAILURE (rc))
2755 {
2756 rcRet = rc;
2757 break;
2758 }
2759
2760 /*
2761 * Nothing is currently mounted.
2762 */
2763 *peState = DriveState_NotMounted;
2764
2765
2766 /*
2767 * Process the HostDriveCaptured state first, as the fallback path
2768 * means mounting the normal block driver without media.
2769 */
2770 if (eState == DriveState_HostDriveCaptured)
2771 {
2772 /*
2773 * Detach existing driver chain (block).
2774 */
2775 int rc = PDMR3DeviceDetach (pVM, pszDevice, uInstance, uLun);
2776 if (VBOX_FAILURE (rc))
2777 {
2778 if (rc == VERR_PDM_LUN_NOT_FOUND)
2779 rc = VINF_SUCCESS;
2780 AssertReleaseRC (rc);
2781 break; /* we're toast */
2782 }
2783 pIMount = NULL;
2784
2785 /*
2786 * Construct a new driver configuration.
2787 */
2788 PCFGMNODE pInst = CFGMR3GetChildF (CFGMR3GetRoot (pVM), "Devices/%s/%d/", pszDevice, uInstance);
2789 AssertRelease (pInst);
2790 /* nuke anything which might have been left behind. */
2791 CFGMR3RemoveNode (CFGMR3GetChildF (pInst, "LUN#%d", uLun));
2792
2793 /* create a new block driver config */
2794 PCFGMNODE pLunL0;
2795 PCFGMNODE pCfg;
2796 if ( VBOX_SUCCESS (rc = CFGMR3InsertNodeF (pInst, &pLunL0, "LUN#%u", uLun))
2797 && VBOX_SUCCESS (rc = CFGMR3InsertString (pLunL0, "Driver", !strcmp (pszDevice, "i82078") ? "HostFloppy" : "HostDVD"))
2798 && VBOX_SUCCESS (rc = CFGMR3InsertNode (pLunL0, "Config", &pCfg))
2799 && VBOX_SUCCESS (rc = CFGMR3InsertString (pCfg, "Path", pszPath))
2800 && VBOX_SUCCESS (rc = !strcmp (pszDevice, "i82078") ? VINF_SUCCESS : CFGMR3InsertInteger(pCfg, "Passthrough", fPassthrough)))
2801 {
2802 /*
2803 * Attempt to attach the driver.
2804 */
2805 rc = PDMR3DeviceAttach (pVM, pszDevice, uInstance, uLun, NULL);
2806 AssertRC (rc);
2807 }
2808 if (VBOX_FAILURE (rc))
2809 rcRet = rc;
2810 }
2811
2812 /*
2813 * Process the ImageMounted, NotMounted and failed HostDriveCapture cases.
2814 */
2815 rc = VINF_SUCCESS;
2816 switch (eState)
2817 {
2818#define RC_CHECK() do { if (VBOX_FAILURE (rc)) { AssertReleaseRC (rc); break; } } while (0)
2819
2820 case DriveState_HostDriveCaptured:
2821 if (VBOX_SUCCESS (rcRet))
2822 break;
2823 /* fallback: umounted block driver. */
2824 pszPath = NULL;
2825 eState = DriveState_NotMounted;
2826 /* fallthru */
2827 case DriveState_ImageMounted:
2828 case DriveState_NotMounted:
2829 {
2830 /*
2831 * Resolve the drive interface / create the driver.
2832 */
2833 if (!pIMount)
2834 {
2835 PPDMIBASE pBase;
2836 rc = PDMR3QueryLun (pVM, pszDevice, uInstance, uLun, &pBase);
2837 if (rc == VERR_PDM_NO_DRIVER_ATTACHED_TO_LUN)
2838 {
2839 /*
2840 * We have to create it, so we'll do the full config setup and everything.
2841 */
2842 PCFGMNODE pIdeInst = CFGMR3GetChildF (CFGMR3GetRoot (pVM), "Devices/%s/%d/", pszDevice, uInstance);
2843 AssertRelease (pIdeInst);
2844
2845 /* nuke anything which might have been left behind. */
2846 CFGMR3RemoveNode (CFGMR3GetChildF (pIdeInst, "LUN#%d", uLun));
2847
2848 /* create a new block driver config */
2849 PCFGMNODE pLunL0;
2850 rc = CFGMR3InsertNodeF (pIdeInst, &pLunL0, "LUN#%d", uLun); RC_CHECK();
2851 rc = CFGMR3InsertString (pLunL0, "Driver", "Block"); RC_CHECK();
2852 PCFGMNODE pCfg;
2853 rc = CFGMR3InsertNode (pLunL0, "Config", &pCfg); RC_CHECK();
2854 rc = CFGMR3InsertString (pCfg, "Type", !strcmp (pszDevice, "i82078") ? "Floppy 1.44" : "DVD");
2855 RC_CHECK();
2856 rc = CFGMR3InsertInteger (pCfg, "Mountable", 1); RC_CHECK();
2857
2858 /*
2859 * Attach the driver.
2860 */
2861 rc = PDMR3DeviceAttach (pVM, pszDevice, uInstance, uLun, &pBase);
2862 RC_CHECK();
2863 }
2864 else if (VBOX_FAILURE(rc))
2865 {
2866 AssertRC (rc);
2867 return rc;
2868 }
2869
2870 pIMount = (PPDMIMOUNT) pBase->pfnQueryInterface (pBase, PDMINTERFACE_MOUNT);
2871 if (!pIMount)
2872 {
2873 AssertFailed();
2874 return rc;
2875 }
2876 }
2877
2878 /*
2879 * If we've got an image, let's mount it.
2880 */
2881 if (pszPath && *pszPath)
2882 {
2883 rc = pIMount->pfnMount (pIMount, pszPath, strcmp (pszDevice, "i82078") ? "MediaISO" : "RawImage");
2884 if (VBOX_FAILURE (rc))
2885 eState = DriveState_NotMounted;
2886 }
2887 break;
2888 }
2889
2890 default:
2891 AssertMsgFailed (("Invalid eState: %d\n", eState));
2892 break;
2893
2894#undef RC_CHECK
2895 }
2896
2897 if (VBOX_FAILURE (rc) && VBOX_SUCCESS (rcRet))
2898 rcRet = rc;
2899
2900 *peState = eState;
2901 }
2902 while (0);
2903
2904 /*
2905 * Resume the VM if necessary.
2906 */
2907 if (fResume)
2908 {
2909 LogFlowFunc (("Resuming the VM...\n"));
2910 /* disable the callback to prevent Console-level state change */
2911 pThis->mVMStateChangeCallbackDisabled = true;
2912 rc = VMR3Resume (pVM);
2913 pThis->mVMStateChangeCallbackDisabled = false;
2914 AssertRC (rc);
2915 if (VBOX_FAILURE (rc))
2916 {
2917 /* too bad, we failed. try to sync the console state with the VMM state */
2918 vmstateChangeCallback (pVM, VMSTATE_SUSPENDED, enmVMState, pThis);
2919 }
2920 /// @todo (r=dmik) if we failed with drive mount, then the VMR3Resume
2921 // error (if any) will be hidden from the caller. For proper reporting
2922 // of such multiple errors to the caller we need to enhance the
2923 // IVurtualBoxError interface. For now, give the first error the higher
2924 // priority.
2925 if (VBOX_SUCCESS (rcRet))
2926 rcRet = rc;
2927 }
2928
2929 LogFlowFunc (("Returning %Vrc\n", rcRet));
2930 return rcRet;
2931}
2932
2933
2934/**
2935 * Called by IInternalSessionControl::OnNetworkAdapterChange().
2936 *
2937 * @note Locks this object for writing.
2938 */
2939HRESULT Console::onNetworkAdapterChange(INetworkAdapter *networkAdapter)
2940{
2941 LogFlowThisFunc (("\n"));
2942
2943 AutoCaller autoCaller (this);
2944 AssertComRCReturnRC (autoCaller.rc());
2945
2946 AutoLock alock (this);
2947
2948 /* Don't do anything if the VM isn't running */
2949 if (!mpVM)
2950 return S_OK;
2951
2952 /* protect mpVM */
2953 AutoVMCaller autoVMCaller (this);
2954 CheckComRCReturnRC (autoVMCaller.rc());
2955
2956 /* Get the properties we need from the adapter */
2957 BOOL fCableConnected;
2958 HRESULT rc = networkAdapter->COMGETTER(CableConnected)(&fCableConnected);
2959 AssertComRC(rc);
2960 if (SUCCEEDED(rc))
2961 {
2962 ULONG ulInstance;
2963 rc = networkAdapter->COMGETTER(Slot)(&ulInstance);
2964 AssertComRC(rc);
2965 if (SUCCEEDED(rc))
2966 {
2967 /*
2968 * Find the pcnet instance, get the config interface and update the link state.
2969 */
2970 PPDMIBASE pBase;
2971 int rcVBox = PDMR3QueryDeviceLun(mpVM, "pcnet", (unsigned)ulInstance, 0, &pBase);
2972 ComAssertRC(rcVBox);
2973 if (VBOX_SUCCESS(rcVBox))
2974 {
2975 Assert(pBase);
2976 PPDMINETWORKCONFIG pINetCfg = (PPDMINETWORKCONFIG)pBase->pfnQueryInterface(pBase, PDMINTERFACE_NETWORK_CONFIG);
2977 if (pINetCfg)
2978 {
2979 Log(("Console::onNetworkAdapterChange: setting link state to %d\n", fCableConnected));
2980 rcVBox = pINetCfg->pfnSetLinkState(pINetCfg, fCableConnected ? PDMNETWORKLINKSTATE_UP : PDMNETWORKLINKSTATE_DOWN);
2981 ComAssertRC(rcVBox);
2982 }
2983 }
2984 }
2985 }
2986
2987 LogFlowThisFunc (("Leaving rc=%#x\n", rc));
2988 return rc;
2989}
2990
2991/**
2992 * Called by IInternalSessionControl::OnVRDPServerChange().
2993 *
2994 * @note Locks this object for writing.
2995 */
2996HRESULT Console::onVRDPServerChange()
2997{
2998 AutoCaller autoCaller (this);
2999 AssertComRCReturnRC (autoCaller.rc());
3000
3001 AutoLock alock (this);
3002
3003 HRESULT rc = S_OK;
3004
3005 if (mVRDPServer && mMachineState == MachineState_Running)
3006 {
3007 BOOL vrdpEnabled = FALSE;
3008
3009 rc = mVRDPServer->COMGETTER(Enabled) (&vrdpEnabled);
3010 ComAssertComRCRetRC (rc);
3011
3012 if (vrdpEnabled)
3013 {
3014 // If there was no VRDP server started the 'stop' will do nothing.
3015 // However if a server was started and this notification was called,
3016 // we have to restart the server.
3017 mConsoleVRDPServer->Stop ();
3018
3019 if (VBOX_FAILURE(mConsoleVRDPServer->Launch ()))
3020 {
3021 rc = E_FAIL;
3022 }
3023 }
3024 else
3025 {
3026 mConsoleVRDPServer->Stop ();
3027 }
3028 }
3029
3030 return rc;
3031}
3032
3033/**
3034 * Called by IInternalSessionControl::OnUSBControllerChange().
3035 *
3036 * @note Locks this object for writing.
3037 */
3038HRESULT Console::onUSBControllerChange()
3039{
3040 LogFlowThisFunc (("\n"));
3041
3042 AutoCaller autoCaller (this);
3043 AssertComRCReturnRC (autoCaller.rc());
3044
3045 AutoLock alock (this);
3046
3047 /* Ignore if no VM is running yet. */
3048 if (!mpVM)
3049 return S_OK;
3050
3051/// @todo (dmik)
3052// check for the Enabled state and disable virtual USB controller??
3053// Anyway, if we want to query the machine's USB Controller we need to cache
3054// it to to mUSBController in #init() (as it is done with mDVDDrive).
3055//
3056// bird: While the VM supports hot-plugging, I doubt any guest can handle it at this time... :-)
3057//
3058// /* protect mpVM */
3059// AutoVMCaller autoVMCaller (this);
3060// CheckComRCReturnRC (autoVMCaller.rc());
3061
3062 return S_OK;
3063}
3064
3065/**
3066 * Called by IInternalSessionControl::OnUSBDeviceAttach() or locally by
3067 * processRemoteUSBDevices() after IInternalMachineControl::RunUSBDeviceFilters()
3068 * returns TRUE for a given remote USB device.
3069 *
3070 * @return S_OK if the device was attached to the VM.
3071 * @return failure if not attached.
3072 *
3073 * @param aDevice
3074 * The device in question.
3075 *
3076 * @note Locks this object for writing.
3077 */
3078HRESULT Console::onUSBDeviceAttach (IUSBDevice *aDevice)
3079{
3080 LogFlowThisFunc (("aDevice=%p\n", aDevice));
3081
3082 AutoCaller autoCaller (this);
3083 ComAssertComRCRetRC (autoCaller.rc());
3084
3085 AutoLock alock (this);
3086
3087 /* VM might have been stopped when this message arrives */
3088 if (mMachineState < MachineState_Running)
3089 {
3090 LogFlowThisFunc (("Attach request ignored (mMachineState=%d).\n",
3091 mMachineState));
3092 return E_FAIL;
3093 }
3094
3095 /* protect mpVM */
3096 AutoVMCaller autoVMCaller (this);
3097 CheckComRCReturnRC (autoVMCaller.rc());
3098
3099 /* Don't proceed unless we've found the usb controller. */
3100 PPDMIBASE pBase = NULL;
3101 int vrc = PDMR3QueryLun (mpVM, "usb-ohci", 0, 0, &pBase);
3102 if (VBOX_FAILURE (vrc))
3103 {
3104 LogFlowThisFunc (("Attach request ignored (no USB controller).\n"));
3105 return E_FAIL;
3106 }
3107
3108 PVUSBIRHCONFIG pRhConfig = (PVUSBIRHCONFIG) pBase->
3109 pfnQueryInterface (pBase, PDMINTERFACE_VUSB_RH_CONFIG);
3110 ComAssertRet (pRhConfig, E_FAIL);
3111
3112 return attachUSBDevice (aDevice, false /* aManual */, pRhConfig);
3113}
3114
3115/**
3116 * Called by IInternalSessionControl::OnUSBDeviceDetach() and locally by
3117 * processRemoteUSBDevices().
3118 *
3119 * @note Locks this object for writing.
3120 */
3121HRESULT Console::onUSBDeviceDetach (INPTR GUIDPARAM aId)
3122{
3123 Guid Uuid (aId);
3124 LogFlowThisFunc (("aId={%Vuuid}\n", Uuid.raw()));
3125
3126 AutoCaller autoCaller (this);
3127 AssertComRCReturnRC (autoCaller.rc());
3128
3129 AutoLock alock (this);
3130
3131 /* Find the device. */
3132 ComObjPtr <USBDevice> device;
3133 USBDeviceList::iterator it = mUSBDevices.begin();
3134 while (it != mUSBDevices.end())
3135 {
3136 LogFlowThisFunc (("it={%Vuuid}\n", (*it)->id().raw()));
3137 if ((*it)->id() == Uuid)
3138 {
3139 device = *it;
3140 break;
3141 }
3142 ++ it;
3143 }
3144
3145 /* VM might have been stopped when this message arrives */
3146 if (device.isNull())
3147 {
3148 LogFlowThisFunc (("Device not found.\n"));
3149 if (mMachineState < MachineState_Running)
3150 {
3151 LogFlowThisFunc (("Detach request ignored (mMachineState=%d).\n",
3152 mMachineState));
3153 return E_FAIL;
3154 }
3155 /* the device must be in the list */
3156 AssertFailedReturn (E_FAIL);
3157 }
3158
3159 /* protect mpVM */
3160 AutoVMCaller autoVMCaller (this);
3161 CheckComRCReturnRC (autoVMCaller.rc());
3162
3163 PPDMIBASE pBase = NULL;
3164 int vrc = PDMR3QueryLun (mpVM, "usb-ohci", 0, 0, &pBase);
3165
3166 /* if the device is attached, then there must be a USB controller */
3167 AssertRCReturn (vrc, E_FAIL);
3168
3169 PVUSBIRHCONFIG pRhConfig = (PVUSBIRHCONFIG) pBase->
3170 pfnQueryInterface (pBase, PDMINTERFACE_VUSB_RH_CONFIG);
3171 AssertReturn (pRhConfig, E_FAIL);
3172
3173 LogFlowThisFunc (("Detaching USB proxy device {%Vuuid}...\n", Uuid.raw()));
3174
3175 /* leave the lock before a VMR3* call (EMT will call us back)! */
3176 alock.leave();
3177
3178 PVMREQ pReq;
3179 vrc = VMR3ReqCall (mpVM, &pReq, RT_INDEFINITE_WAIT,
3180 (PFNRT) usbDetachCallback, 5,
3181 this, &it, false /* aManual */, pRhConfig, Uuid.raw());
3182 if (VBOX_SUCCESS (vrc))
3183 vrc = pReq->iStatus;
3184 VMR3ReqFree (pReq);
3185
3186 AssertRC (vrc);
3187
3188 return VBOX_SUCCESS (vrc) ? S_OK : E_FAIL;
3189}
3190
3191/**
3192 * Gets called by Session::UpdateMachineState()
3193 * (IInternalSessionControl::updateMachineState()).
3194 *
3195 * Must be called only in certain cases (see the implementation).
3196 *
3197 * @note Locks this object for writing.
3198 */
3199HRESULT Console::updateMachineState (MachineState_T aMachineState)
3200{
3201 AutoCaller autoCaller (this);
3202 AssertComRCReturnRC (autoCaller.rc());
3203
3204 AutoLock alock (this);
3205
3206 AssertReturn (mMachineState == MachineState_Saving ||
3207 mMachineState == MachineState_Discarding,
3208 E_FAIL);
3209
3210 return setMachineStateLocally (aMachineState);
3211}
3212
3213/**
3214 * @note Locks this object for reading.
3215 */
3216void Console::onMousePointerShapeChange(bool fVisible, bool fAlpha,
3217 uint32_t xHot, uint32_t yHot,
3218 uint32_t width, uint32_t height,
3219 void *pShape)
3220{
3221 LogFlowThisFunc (("fVisible=%d, fAlpha=%d, xHot = %d, yHot = %d, width=%d, "
3222 "height=%d, shape=%p\n",
3223 fVisible, fAlpha, xHot, yHot, width, height, pShape));
3224
3225 AutoReaderLock alock (this);
3226
3227 CallbackList::iterator it = mCallbacks.begin();
3228 while (it != mCallbacks.end())
3229 (*it++)->OnMousePointerShapeChange(fVisible, fAlpha, xHot, yHot, width, height, (ULONG)pShape);
3230}
3231
3232/**
3233 * @note Locks this object for reading.
3234 */
3235void Console::onMouseCapabilityChange (BOOL supportsAbsolute, BOOL needsHostCursor)
3236{
3237 LogFlowThisFunc (("supportsAbsolute=%d needsHostCursor=%d\n",
3238 supportsAbsolute, needsHostCursor));
3239
3240 AutoCaller autoCaller (this);
3241 AssertComRCReturnVoid (autoCaller.rc());
3242
3243 AutoReaderLock alock (this);
3244
3245 CallbackList::iterator it = mCallbacks.begin();
3246 while (it != mCallbacks.end())
3247 {
3248 Log2(("Console::onMouseCapabilityChange: calling %p\n", (void*)*it));
3249 (*it++)->OnMouseCapabilityChange (supportsAbsolute, needsHostCursor);
3250 }
3251}
3252
3253/**
3254 * @note Locks this object for reading.
3255 */
3256void Console::onStateChange (MachineState_T machineState)
3257{
3258 AutoCaller autoCaller (this);
3259 AssertComRCReturnVoid (autoCaller.rc());
3260
3261 AutoReaderLock alock (this);
3262
3263 CallbackList::iterator it = mCallbacks.begin();
3264 while (it != mCallbacks.end())
3265 (*it++)->OnStateChange (machineState);
3266}
3267
3268/**
3269 * @note Locks this object for reading.
3270 */
3271void Console::onAdditionsStateChange()
3272{
3273 AutoCaller autoCaller (this);
3274 AssertComRCReturnVoid (autoCaller.rc());
3275
3276 AutoReaderLock alock (this);
3277
3278 CallbackList::iterator it = mCallbacks.begin();
3279 while (it != mCallbacks.end())
3280 (*it++)->OnAdditionsStateChange();
3281}
3282
3283/**
3284 * @note Locks this object for reading.
3285 */
3286void Console::onAdditionsOutdated()
3287{
3288 AutoCaller autoCaller (this);
3289 AssertComRCReturnVoid (autoCaller.rc());
3290
3291 AutoReaderLock alock (this);
3292
3293 /** @todo Use the On-Screen Display feature to report the fact.
3294 * The user should be told to install additions that are
3295 * provided with the current VBox build:
3296 * VBOX_VERSION_MAJOR.VBOX_VERSION_MINOR.VBOX_VERSION_BUILD
3297 */
3298}
3299
3300/**
3301 * @note Locks this object for reading.
3302 */
3303void Console::onKeyboardLedsChange(bool fNumLock, bool fCapsLock, bool fScrollLock)
3304{
3305 AutoCaller autoCaller (this);
3306 AssertComRCReturnVoid (autoCaller.rc());
3307
3308 AutoReaderLock alock (this);
3309
3310 CallbackList::iterator it = mCallbacks.begin();
3311 while (it != mCallbacks.end())
3312 (*it++)->OnKeyboardLedsChange(fNumLock, fCapsLock, fScrollLock);
3313}
3314
3315/**
3316 * @note Locks this object for reading.
3317 */
3318void Console::onRuntimeError (BOOL aFatal, INPTR BSTR aErrorID, INPTR BSTR aMessage)
3319{
3320 AutoCaller autoCaller (this);
3321 AssertComRCReturnVoid (autoCaller.rc());
3322
3323 AutoReaderLock alock (this);
3324
3325 CallbackList::iterator it = mCallbacks.begin();
3326 while (it != mCallbacks.end())
3327 (*it++)->OnRuntimeError (aFatal, aErrorID, aMessage);
3328}
3329
3330// private mehtods
3331////////////////////////////////////////////////////////////////////////////////
3332
3333/**
3334 * Increases the usage counter of the mpVM pointer. Guarantees that
3335 * VMR3Destroy() will not be called on it at least until releaseVMCaller()
3336 * is called.
3337 *
3338 * If this method returns a failure, the caller is not allowed to use mpVM
3339 * and may return the failed result code to the upper level. This method sets
3340 * the extended error info on failure if \a aQuiet is false.
3341 *
3342 * Setting \a aQuiet to true is useful for methods that don't want to return
3343 * the failed result code to the caller when this method fails (e.g. need to
3344 * silently check for the mpVM avaliability).
3345 *
3346 * When mpVM is NULL but \a aAllowNullVM is true, a corresponding error will be
3347 * returned instead of asserting. Having it false is intended as a sanity check
3348 * for methods that have checked mMachineState and expect mpVM *NOT* to be NULL.
3349 *
3350 * @param aQuiet true to suppress setting error info
3351 * @param aAllowNullVM true to accept mpVM being NULL and return a failure
3352 * (otherwise this method will assert if mpVM is NULL)
3353 *
3354 * @note Locks this object for writing.
3355 */
3356HRESULT Console::addVMCaller (bool aQuiet /* = false */,
3357 bool aAllowNullVM /* = false */)
3358{
3359 AutoCaller autoCaller (this);
3360 AssertComRCReturnRC (autoCaller.rc());
3361
3362 AutoLock alock (this);
3363
3364 if (mVMDestroying)
3365 {
3366 /* powerDown() is waiting for all callers to finish */
3367 return aQuiet ? E_ACCESSDENIED : setError (E_ACCESSDENIED,
3368 tr ("Virtual machine is being powered down"));
3369 }
3370
3371 if (mpVM == NULL)
3372 {
3373 Assert (aAllowNullVM == true);
3374
3375 /* The machine is not powered up */
3376 return aQuiet ? E_ACCESSDENIED : setError (E_ACCESSDENIED,
3377 tr ("Virtual machine is not powered up"));
3378 }
3379
3380 ++ mVMCallers;
3381
3382 return S_OK;
3383}
3384
3385/**
3386 * Decreases the usage counter of the mpVM pointer. Must always complete
3387 * the addVMCaller() call after the mpVM pointer is no more necessary.
3388 *
3389 * @note Locks this object for writing.
3390 */
3391void Console::releaseVMCaller()
3392{
3393 AutoCaller autoCaller (this);
3394 AssertComRCReturnVoid (autoCaller.rc());
3395
3396 AutoLock alock (this);
3397
3398 AssertReturnVoid (mpVM != NULL);
3399
3400 Assert (mVMCallers > 0);
3401 -- mVMCallers;
3402
3403 if (mVMCallers == 0 && mVMDestroying)
3404 {
3405 /* inform powerDown() there are no more callers */
3406 RTSemEventSignal (mVMZeroCallersSem);
3407 }
3408}
3409
3410/**
3411 * Internal power off worker routine.
3412 *
3413 * This method may be called only at certain places with the folliwing meaning
3414 * as shown below:
3415 *
3416 * - if the machine state is either Running or Paused, a normal
3417 * Console-initiated powerdown takes place (e.g. PowerDown());
3418 * - if the machine state is Saving, saveStateThread() has successfully
3419 * done its job;
3420 * - if the machine state is Starting or Restoring, powerUpThread() has
3421 * failed to start/load the VM;
3422 * - if the machine state is Stopping, the VM has powered itself off
3423 * (i.e. not as a result of the powerDown() call).
3424 *
3425 * Calling it in situations other than the above will cause unexpected
3426 * behavior.
3427 *
3428 * Note that this method should be the only one that destroys mpVM and sets
3429 * it to NULL.
3430 *
3431 * @note Locks this object for writing.
3432 *
3433 * @note Never call this method from a thread that called addVMCaller() or
3434 * instantiated an AutoVMCaller object; first call releaseVMCaller() or
3435 * release(). Otherwise it will deadlock.
3436 */
3437HRESULT Console::powerDown()
3438{
3439 LogFlowThisFuncEnter();
3440
3441 AutoCaller autoCaller (this);
3442 AssertComRCReturnRC (autoCaller.rc());
3443
3444 AutoLock alock (this);
3445
3446 /* sanity */
3447 AssertReturn (mVMDestroying == false, E_FAIL);
3448
3449 LogRel (("Console::powerDown(): a request to power off the VM has been issued "
3450 "(mMachineState=%d, InUninit=%d)\n",
3451 mMachineState, autoCaller.state() == InUninit));
3452
3453 /* First, wait for all mpVM callers to finish their work if necessary */
3454 if (mVMCallers > 0)
3455 {
3456 /* go to the destroying state to prevent from adding new callers */
3457 mVMDestroying = true;
3458
3459 /* lazy creation */
3460 if (mVMZeroCallersSem == NIL_RTSEMEVENT)
3461 RTSemEventCreate (&mVMZeroCallersSem);
3462
3463 LogFlowThisFunc (("Waiting for mpVM callers (%d) to drop to zero...\n",
3464 mVMCallers));
3465
3466 alock.leave();
3467
3468 RTSemEventWait (mVMZeroCallersSem, RT_INDEFINITE_WAIT);
3469
3470 alock.enter();
3471 }
3472
3473 AssertReturn (mpVM, E_FAIL);
3474
3475 AssertMsg (mMachineState == MachineState_Running ||
3476 mMachineState == MachineState_Paused ||
3477 mMachineState == MachineState_Saving ||
3478 mMachineState == MachineState_Starting ||
3479 mMachineState == MachineState_Restoring ||
3480 mMachineState == MachineState_Stopping,
3481 ("Invalid machine state: %d\n", mMachineState));
3482
3483 HRESULT rc = S_OK;
3484 int vrc = VINF_SUCCESS;
3485
3486 /*
3487 * Power off the VM if not already done that. In case of Stopping, the VM
3488 * has powered itself off and notified Console in vmstateChangeCallback().
3489 * In case of Starting or Restoring, powerUpThread() is calling us on
3490 * failure, so the VM is already off at that point.
3491 */
3492 if (mMachineState != MachineState_Stopping &&
3493 mMachineState != MachineState_Starting &&
3494 mMachineState != MachineState_Restoring)
3495 {
3496 /*
3497 * don't go from Saving to Stopping, vmstateChangeCallback needs it
3498 * to set the state to Saved on VMSTATE_TERMINATED.
3499 */
3500 if (mMachineState != MachineState_Saving)
3501 setMachineState (MachineState_Stopping);
3502
3503 LogFlowThisFunc (("Powering off the VM...\n"));
3504
3505 /* Leave the lock since EMT will call us back on VMR3PowerOff() */
3506 alock.leave();
3507
3508 vrc = VMR3PowerOff (mpVM);
3509 /*
3510 * Note that VMR3PowerOff() may fail here (invalid VMSTATE) if the
3511 * VM-(guest-)initiated power off happened in parallel a ms before
3512 * this call. So far, we let this error pop up on the user's side.
3513 */
3514
3515 alock.enter();
3516 }
3517
3518 LogFlowThisFunc (("Ready for VM destruction\n"));
3519
3520 /*
3521 * If we are called from Console::uninit(), then try to destroy the VM
3522 * even on failure (this will most likely fail too, but what to do?..)
3523 */
3524 if (VBOX_SUCCESS (vrc) || autoCaller.state() == InUninit)
3525 {
3526 /*
3527 * Stop the VRDP server and release all USB device.
3528 * (When called from uninit mConsoleVRDPServer is already destroyed.)
3529 */
3530 if (mConsoleVRDPServer)
3531 {
3532 LogFlowThisFunc (("Stopping VRDP server...\n"));
3533 mConsoleVRDPServer->Stop();
3534 }
3535
3536 releaseAllUSBDevices();
3537
3538 /*
3539 * Now we've got to destroy the VM as well. (mpVM is not valid
3540 * beyond this point). We leave the lock before calling VMR3Destroy()
3541 * because it will result into calling destructors of drivers
3542 * associated with Console children which may in turn try to lock
3543 * Console (e.g. by instantiating SafeVMPtr to access mpVM). It's safe
3544 * here because mVMDestroying is set which should prevent any activity.
3545 */
3546
3547 /*
3548 * Set mpVM to NULL early just in case if some old code is not using
3549 * addVMCaller()/releaseVMCaller().
3550 */
3551 PVM pVM = mpVM;
3552 mpVM = NULL;
3553
3554 LogFlowThisFunc (("Destroying the VM...\n"));
3555
3556 alock.leave();
3557
3558 vrc = VMR3Destroy (pVM);
3559
3560 /* take the lock again */
3561 alock.enter();
3562
3563 if (VBOX_SUCCESS (vrc))
3564 {
3565 LogFlowThisFunc (("Machine has been destroyed (mMachineState=%d)\n",
3566 mMachineState));
3567 /*
3568 * Note: the Console-level machine state change happens on the
3569 * VMSTATE_TERMINATE state change in vmstateChangeCallback(). If
3570 * powerDown() is called from EMT (i.e. from vmstateChangeCallback()
3571 * on receiving VM-initiated VMSTATE_OFF), VMSTATE_TERMINATE hasn't
3572 * occured yet. This is okay, because mMachineState is already
3573 * Stopping in this case, so any other attempt to call PowerDown()
3574 * will be rejected.
3575 */
3576 }
3577 else
3578 {
3579 /* bad bad bad, but what to do? */
3580 mpVM = pVM;
3581 rc = setError (E_FAIL,
3582 tr ("Could not destroy the machine. (Error: %Vrc)"), vrc);
3583 }
3584 }
3585 else
3586 {
3587 rc = setError (E_FAIL,
3588 tr ("Could not power off the machine. (Error: %Vrc)"), vrc);
3589 }
3590
3591 /*
3592 * Finished with destruction. Note that if something impossible happened
3593 * and we've failed to destroy the VM, mVMDestroying will remain false and
3594 * mMachineState will be something like Stopping, so most Console methods
3595 * will return an error to the caller.
3596 */
3597 if (mpVM == NULL)
3598 mVMDestroying = false;
3599
3600 LogFlowThisFuncLeave();
3601 return rc;
3602}
3603
3604/**
3605 * @note Locks this object for writing.
3606 */
3607HRESULT Console::setMachineState (MachineState_T aMachineState,
3608 bool aUpdateServer /* = true */)
3609{
3610 AutoCaller autoCaller (this);
3611 AssertComRCReturnRC (autoCaller.rc());
3612
3613 AutoLock alock (this);
3614
3615 HRESULT rc = S_OK;
3616
3617 if (mMachineState != aMachineState)
3618 {
3619 LogFlowThisFunc (("machineState=%d\n", aMachineState));
3620 mMachineState = aMachineState;
3621
3622 /// @todo (dmik)
3623 // possibly, we need to redo onStateChange() using the dedicated
3624 // Event thread, like it is done in VirtualBox. This will make it
3625 // much safer (no deadlocks possible if someone tries to use the
3626 // console from the callback), however, listeners will lose the
3627 // ability to synchronously react to state changes (is it really
3628 // necessary??)
3629 LogFlowThisFunc (("Doing onStateChange()...\n"));
3630 onStateChange (aMachineState);
3631 LogFlowThisFunc (("Done onStateChange()\n"));
3632
3633 if (aUpdateServer)
3634 {
3635 /*
3636 * Server notification MUST be done from under the lock; otherwise
3637 * the machine state here and on the server might go out of sync, that
3638 * can lead to various unexpected results (like the machine state being
3639 * >= MachineState_Running on the server, while the session state is
3640 * already SessionState_SessionClosed at the same time there).
3641 *
3642 * Cross-lock conditions should be carefully watched out: calling
3643 * UpdateState we will require Machine and SessionMachine locks
3644 * (remember that here we're holding the Console lock here, and
3645 * also all locks that have been entered by the thread before calling
3646 * this method).
3647 */
3648 LogFlowThisFunc (("Doing mControl->UpdateState()...\n"));
3649 rc = mControl->UpdateState (aMachineState);
3650 LogFlowThisFunc (("mControl->UpdateState()=%08X\n", rc));
3651 }
3652 }
3653
3654 return rc;
3655}
3656
3657/**
3658 * Searches for a shared folder with the given logical name
3659 * in the collection of shared folders.
3660 *
3661 * @param aName logical name of the shared folder
3662 * @param aSharedFolder where to return the found object
3663 * @param aSetError whether to set the error info if the folder is
3664 * not found
3665 * @return
3666 * S_OK when found or E_INVALIDARG when not found
3667 *
3668 * @note The caller must lock this object for writing.
3669 */
3670HRESULT Console::findSharedFolder (const BSTR aName,
3671 ComObjPtr <SharedFolder> &aSharedFolder,
3672 bool aSetError /* = false */)
3673{
3674 /* sanity check */
3675 AssertReturn (isLockedOnCurrentThread(), E_FAIL);
3676
3677 bool found = false;
3678 for (SharedFolderList::const_iterator it = mSharedFolders.begin();
3679 !found && it != mSharedFolders.end();
3680 ++ it)
3681 {
3682 AutoLock alock (*it);
3683 found = (*it)->name() == aName;
3684 if (found)
3685 aSharedFolder = *it;
3686 }
3687
3688 HRESULT rc = found ? S_OK : E_INVALIDARG;
3689
3690 if (aSetError && !found)
3691 setError (rc, tr ("Could not find a shared folder named '%ls'."), aName);
3692
3693 return rc;
3694}
3695
3696/**
3697 * VM state callback function. Called by the VMM
3698 * using its state machine states.
3699 *
3700 * Primarily used to handle VM initiated power off, suspend and state saving,
3701 * but also for doing termination completed work (VMSTATE_TERMINATE).
3702 *
3703 * In general this function is called in the context of the EMT.
3704 *
3705 * @param aVM The VM handle.
3706 * @param aState The new state.
3707 * @param aOldState The old state.
3708 * @param aUser The user argument (pointer to the Console object).
3709 *
3710 * @note Locks the Console object for writing.
3711 */
3712DECLCALLBACK(void)
3713Console::vmstateChangeCallback (PVM aVM, VMSTATE aState, VMSTATE aOldState,
3714 void *aUser)
3715{
3716 LogFlowFunc (("Changing state from %d to %d (aVM=%p)\n",
3717 aOldState, aState, aVM));
3718
3719 Console *that = static_cast <Console *> (aUser);
3720 AssertReturnVoid (that);
3721
3722 AutoCaller autoCaller (that);
3723 /*
3724 * Note that we must let this method proceed even if Console::uninit() has
3725 * been already called. In such case this VMSTATE change is a result of:
3726 * 1) powerDown() called from uninit() itself, or
3727 * 2) VM-(guest-)initiated power off.
3728 */
3729 AssertReturnVoid (autoCaller.isOk() ||
3730 autoCaller.state() == InUninit);
3731
3732 switch (aState)
3733 {
3734 /*
3735 * The VM has terminated
3736 */
3737 case VMSTATE_OFF:
3738 {
3739 AutoLock alock (that);
3740
3741 if (that->mVMStateChangeCallbackDisabled)
3742 break;
3743
3744 /*
3745 * Do we still think that it is running? It may happen if this is
3746 * a VM-(guest-)initiated shutdown/poweroff.
3747 */
3748 if (that->mMachineState != MachineState_Stopping &&
3749 that->mMachineState != MachineState_Saving &&
3750 that->mMachineState != MachineState_Restoring)
3751 {
3752 LogFlowFunc (("VM has powered itself off but Console still "
3753 "thinks it is running. Notifying.\n"));
3754
3755 /* prevent powerDown() from calling VMR3PowerOff() again */
3756 that->setMachineState (MachineState_Stopping);
3757
3758 /*
3759 * Setup task object and thread to carry out the operation
3760 * asynchronously (if we call powerDown() right here but there
3761 * is one or more mpVM callers (added with addVMCaller()) we'll
3762 * deadlock.
3763 */
3764 std::auto_ptr <VMTask> task (new VMTask (that, true /* aUsesVMPtr */));
3765 /*
3766 * If creating a task is falied, this can currently mean one
3767 * of two: either Console::uninit() has been called just a ms
3768 * before (so a powerDown() call is already on the way), or
3769 * powerDown() itself is being already executed. Just do
3770 * nothing .
3771 */
3772 if (!task->isOk())
3773 {
3774 LogFlowFunc (("Console is already being uninitialized.\n"));
3775 break;
3776 }
3777
3778 int vrc = RTThreadCreate (NULL, Console::powerDownThread,
3779 (void *) task.get(), 0,
3780 RTTHREADTYPE_MAIN_WORKER, 0,
3781 "VMPowerDowm");
3782
3783 AssertMsgRC (vrc, ("Could not create VMPowerUp thread (%Vrc)\n", vrc));
3784 if (VBOX_FAILURE (vrc))
3785 break;
3786
3787 /* task is now owned by powerDownThread(), so release it */
3788 task.release();
3789 }
3790 break;
3791 }
3792
3793 /*
3794 * The VM has been completely destroyed.
3795 *
3796 * Note: This state change can happen at two points:
3797 * 1) At the end of VMR3Destroy() if it was not called from EMT.
3798 * 2) At the end of vmR3EmulationThread if VMR3Destroy() was
3799 * called by EMT.
3800 */
3801 case VMSTATE_TERMINATED:
3802 {
3803 AutoLock alock (that);
3804
3805 if (that->mVMStateChangeCallbackDisabled)
3806 break;
3807
3808 /*
3809 * Terminate host interface networking. If aVM is NULL, we've been
3810 * manually called from powerUpThread() either before calling
3811 * VMR3Create() or after VMR3Create() failed, so no need to touch
3812 * networking.
3813 */
3814 if (aVM)
3815 that->powerDownHostInterfaces();
3816
3817 /*
3818 * From now on the machine is officially powered down or
3819 * remains in the Saved state.
3820 */
3821 switch (that->mMachineState)
3822 {
3823 default:
3824 AssertFailed();
3825 /* fall through */
3826 case MachineState_Stopping:
3827 /* successfully powered down */
3828 that->setMachineState (MachineState_PoweredOff);
3829 break;
3830 case MachineState_Saving:
3831 /*
3832 * successfully saved (note that the machine is already
3833 * in the Saved state on the server due to EndSavingState()
3834 * called from saveStateThread(), so only change the local
3835 * state)
3836 */
3837 that->setMachineStateLocally (MachineState_Saved);
3838 break;
3839 case MachineState_Starting:
3840 /*
3841 * failed to start, but be patient: set back to PoweredOff
3842 * (for similarity with the below)
3843 */
3844 that->setMachineState (MachineState_PoweredOff);
3845 break;
3846 case MachineState_Restoring:
3847 /*
3848 * failed to load the saved state file, but be patient:
3849 * set back to Saved (to preserve the saved state file)
3850 */
3851 that->setMachineState (MachineState_Saved);
3852 break;
3853 }
3854
3855 break;
3856 }
3857
3858 case VMSTATE_SUSPENDED:
3859 {
3860 if (aOldState == VMSTATE_RUNNING)
3861 {
3862 AutoLock alock (that);
3863
3864 if (that->mVMStateChangeCallbackDisabled)
3865 break;
3866
3867 /* Change the machine state from Running to Paused */
3868 Assert (that->mMachineState == MachineState_Running);
3869 that->setMachineState (MachineState_Paused);
3870 }
3871 }
3872
3873 case VMSTATE_RUNNING:
3874 {
3875 if (aOldState == VMSTATE_CREATED ||
3876 aOldState == VMSTATE_SUSPENDED)
3877 {
3878 AutoLock alock (that);
3879
3880 if (that->mVMStateChangeCallbackDisabled)
3881 break;
3882
3883 /*
3884 * Change the machine state from Starting, Restoring or Paused
3885 * to Running
3886 */
3887 Assert ((that->mMachineState == MachineState_Starting &&
3888 aOldState == VMSTATE_CREATED) ||
3889 ((that->mMachineState == MachineState_Restoring ||
3890 that->mMachineState == MachineState_Paused) &&
3891 aOldState == VMSTATE_SUSPENDED));
3892
3893 that->setMachineState (MachineState_Running);
3894 }
3895 }
3896
3897 default: /* shut up gcc */
3898 break;
3899 }
3900}
3901
3902/**
3903 * Sends a request to VMM to attach the given host device.
3904 * After this method succeeds, the attached device will appear in the
3905 * mUSBDevices collection.
3906 *
3907 * If \a aManual is true and a failure occures, the given device
3908 * will be returned back to the USB proxy manager.
3909 *
3910 * @param aHostDevice device to attach
3911 * @param aManual true if device is being manually attached
3912 *
3913 * @note Locks this object for writing.
3914 * @note Synchronously calls EMT.
3915 */
3916HRESULT Console::attachUSBDevice (IUSBDevice *aHostDevice, bool aManual,
3917 PVUSBIRHCONFIG aConfig)
3918{
3919 AssertReturn (aHostDevice && aConfig, E_FAIL);
3920
3921 AutoLock alock (this);
3922
3923 HRESULT hrc;
3924
3925 /*
3926 * Get the address and the Uuid, and call the pfnCreateProxyDevice roothub
3927 * method in EMT (using usbAttachCallback()).
3928 */
3929 Bstr BstrAddress;
3930 hrc = aHostDevice->COMGETTER (Address) (BstrAddress.asOutParam());
3931 ComAssertComRCRetRC (hrc);
3932
3933 Utf8Str Address (BstrAddress);
3934
3935 Guid Uuid;
3936 hrc = aHostDevice->COMGETTER (Id) (Uuid.asOutParam());
3937 ComAssertComRCRetRC (hrc);
3938
3939 BOOL fRemote = FALSE;
3940 void *pvRemote = NULL;
3941
3942 hrc = aHostDevice->COMGETTER (Remote) (&fRemote);
3943 ComAssertComRCRetRC (hrc);
3944
3945#ifndef VRDP_MC
3946 if (fRemote)
3947 {
3948 pvRemote = mConsoleVRDPServer->GetUSBBackendPointer ();
3949 ComAssertRet (pvRemote, E_FAIL);
3950 }
3951#endif /* !VRDP_MC */
3952
3953 /* protect mpVM */
3954 AutoVMCaller autoVMCaller (this);
3955 CheckComRCReturnRC (autoVMCaller.rc());
3956
3957 LogFlowThisFunc (("Proxying USB device '%s' {%Vuuid}...\n",
3958 Address.raw(), Uuid.ptr()));
3959
3960 /* leave the lock before a VMR3* call (EMT will call us back)! */
3961 alock.leave();
3962
3963 PVMREQ pReq = NULL;
3964 int vrc = VMR3ReqCall (mpVM, &pReq, RT_INDEFINITE_WAIT,
3965 (PFNRT) usbAttachCallback, 7,
3966 this, aHostDevice,
3967 aConfig, Uuid.ptr(), fRemote, Address.raw(), pvRemote);
3968 if (VBOX_SUCCESS (vrc))
3969 vrc = pReq->iStatus;
3970 VMR3ReqFree (pReq);
3971
3972 /* restore the lock */
3973 alock.enter();
3974
3975 /* hrc is S_OK here */
3976
3977 if (VBOX_FAILURE (vrc))
3978 {
3979 LogWarningThisFunc (("Failed to create proxy device for '%s' {%Vuuid} (%Vrc)\n",
3980 Address.raw(), Uuid.ptr(), vrc));
3981
3982 if (aManual)
3983 {
3984 /*
3985 * Neither SessionMachine::ReleaseUSBDevice() nor Host::releaseUSBDevice()
3986 * should call the Console back, so keep the lock to provide atomicity
3987 * (to protect Host reapplying USB filters)
3988 */
3989 hrc = mControl->ReleaseUSBDevice (Uuid);
3990 AssertComRC (hrc);
3991 }
3992
3993 switch (vrc)
3994 {
3995 case VERR_VUSB_NO_PORTS:
3996 hrc = setError (E_FAIL,
3997 tr ("Failed to attach the USB device. (No available ports on the USB controller)."));
3998 break;
3999 case VERR_VUSB_USBFS_PERMISSION:
4000 hrc = setError (E_FAIL,
4001 tr ("Not permitted to open the USB device, check usbfs options"));
4002 break;
4003 default:
4004 hrc = setError (E_FAIL,
4005 tr ("Failed to create a proxy device for the USB device. (Error: %Vrc)"), vrc);
4006 break;
4007 }
4008 }
4009
4010 return hrc;
4011}
4012
4013/**
4014 * USB device attack callback used by AttachUSBDevice().
4015 * Note that AttachUSBDevice() doesn't return until this callback is executed,
4016 * so we don't use AutoCaller and don't care about reference counters of
4017 * interface pointers passed in.
4018 *
4019 * @thread EMT
4020 * @note Locks the console object for writing.
4021 */
4022//static
4023DECLCALLBACK(int)
4024Console::usbAttachCallback (Console *that, IUSBDevice *aHostDevice,
4025 PVUSBIRHCONFIG aConfig, PCRTUUID aUuid, bool aRemote,
4026 const char *aAddress, void *aRemoteBackend)
4027{
4028 LogFlowFuncEnter();
4029 LogFlowFunc (("that={%p}\n", that));
4030
4031 AssertReturn (that && aConfig && aUuid, VERR_INVALID_PARAMETER);
4032
4033#ifdef VRDP_MC
4034 if (aRemote)
4035 {
4036 /* @todo aRemoteBackend input parameter is not needed. */
4037 Assert (aRemoteBackend == NULL);
4038
4039 RemoteUSBDevice *pRemoteUSBDevice = static_cast <RemoteUSBDevice *> (aHostDevice);
4040
4041 Guid guid (*aUuid);
4042
4043 aRemoteBackend = that->consoleVRDPServer ()->USBBackendRequestPointer (pRemoteUSBDevice->clientId (), &guid);
4044
4045 if (aRemoteBackend == NULL)
4046 {
4047 /* The clientId is invalid then. */
4048 return VERR_INVALID_PARAMETER;
4049 }
4050 }
4051#endif /* VRDP_MC */
4052
4053 int vrc = aConfig->pfnCreateProxyDevice (aConfig, aUuid, aRemote, aAddress,
4054 aRemoteBackend);
4055
4056 if (VBOX_SUCCESS (vrc))
4057 {
4058 /* Create a USBDevice and add it to the device list */
4059 ComObjPtr <USBDevice> device;
4060 device.createObject();
4061 HRESULT hrc = device->init (aHostDevice);
4062 AssertComRC (hrc);
4063
4064 AutoLock alock (that);
4065 that->mUSBDevices.push_back (device);
4066 LogFlowFunc (("Attached device {%Vuuid}\n", device->id().raw()));
4067 }
4068
4069 LogFlowFunc (("vrc=%Vrc\n", vrc));
4070 LogFlowFuncLeave();
4071 return vrc;
4072}
4073
4074/**
4075 * USB device attack callback used by AttachUSBDevice().
4076 * Note that AttachUSBDevice() doesn't return until this callback is executed,
4077 * so we don't use AutoCaller and don't care about reference counters of
4078 * interface pointers passed in.
4079 *
4080 * @thread EMT
4081 * @note Locks the console object for writing.
4082 */
4083//static
4084DECLCALLBACK(int)
4085Console::usbDetachCallback (Console *that, USBDeviceList::iterator *aIt,
4086 bool aManual, PVUSBIRHCONFIG aConfig, PCRTUUID aUuid)
4087{
4088 LogFlowFuncEnter();
4089 LogFlowFunc (("that={%p}\n", that));
4090
4091 AssertReturn (that && aConfig && aUuid, VERR_INVALID_PARAMETER);
4092
4093#ifdef VRDP_MC
4094 /*
4095 * If that was a remote device, release the backend pointer.
4096 * The pointer was requested in usbAttachCallback.
4097 */
4098 BOOL fRemote = FALSE;
4099
4100 HRESULT hrc2 = (**aIt)->COMGETTER (Remote) (&fRemote);
4101 ComAssertComRC (hrc2);
4102
4103 if (fRemote)
4104 {
4105 Guid guid (*aUuid);
4106 that->consoleVRDPServer ()->USBBackendReleasePointer (&guid);
4107 }
4108#endif /* VRDP_MC */
4109
4110 int vrc = aConfig->pfnDestroyProxyDevice (aConfig, aUuid);
4111
4112 if (VBOX_SUCCESS (vrc))
4113 {
4114 AutoLock alock (that);
4115
4116 /* Remove the device from the collection */
4117 that->mUSBDevices.erase (*aIt);
4118 LogFlowFunc (("Detached device {%Vuuid}\n", (**aIt)->id().raw()));
4119
4120 /// @todo (dmik) REMOTE_USB
4121 // if the device is remote, notify a remote client that we have
4122 // detached the device
4123
4124 /* If it's a manual detach, give it back to the USB Proxy */
4125 if (aManual)
4126 {
4127 /*
4128 * Neither SessionMachine::ReleaseUSBDevice() nor Host::releaseUSBDevice()
4129 * should call the Console back, so keep the lock to provide atomicity
4130 * (to protect Host reapplying USB filters)
4131 */
4132 LogFlowFunc (("Giving it back it to USB proxy...\n"));
4133 HRESULT hrc = that->mControl->ReleaseUSBDevice (Guid (*aUuid));
4134 AssertComRC (hrc);
4135 vrc = SUCCEEDED (hrc) ? VINF_SUCCESS : VERR_GENERAL_FAILURE;
4136 }
4137 }
4138
4139 LogFlowFunc (("vrc=%Vrc\n", vrc));
4140 LogFlowFuncLeave();
4141 return vrc;
4142}
4143
4144/**
4145 * Construct the VM configuration tree (CFGM).
4146 *
4147 * This is a callback for VMR3Create() call. It is called from CFGMR3Init()
4148 * in the emulation thread (EMT). Any per thread COM/XPCOM initialization
4149 * is done here.
4150 *
4151 * @param pVM VM handle.
4152 * @param pvTask Pointer to the VMPowerUpTask object.
4153 * @return VBox status code.
4154 *
4155 * @note Locks the Console object for writing.
4156 */
4157DECLCALLBACK(int) Console::configConstructor(PVM pVM, void *pvTask)
4158{
4159 LogFlowFuncEnter();
4160
4161 /* Note: the task pointer is owned by powerUpThread() */
4162 VMPowerUpTask *task = static_cast <VMPowerUpTask *> (pvTask);
4163 AssertReturn (task, VERR_GENERAL_FAILURE);
4164
4165#if defined(__WIN__)
4166 {
4167 /* initialize COM */
4168 HRESULT hrc = CoInitializeEx(NULL,
4169 COINIT_MULTITHREADED | COINIT_DISABLE_OLE1DDE |
4170 COINIT_SPEED_OVER_MEMORY);
4171 LogFlow (("Console::configConstructor(): CoInitializeEx()=%08X\n", hrc));
4172 AssertComRCReturn (hrc, VERR_GENERAL_FAILURE);
4173 }
4174#endif
4175
4176 ComObjPtr <Console> pConsole = task->mConsole;
4177
4178 AutoCaller autoCaller (pConsole);
4179 AssertComRCReturn (autoCaller.rc(), VERR_ACCESS_DENIED);
4180
4181 /* lock the console because we widely use internal fields and methods */
4182 AutoLock alock (pConsole);
4183
4184 ComPtr <IMachine> pMachine = pConsole->machine();
4185
4186 int rc;
4187 HRESULT hrc;
4188 char *psz = NULL;
4189 BSTR str = NULL;
4190 ULONG cRamMBs;
4191 unsigned i;
4192
4193#define STR_CONV() do { rc = RTStrUcs2ToUtf8(&psz, str); RC_CHECK(); } while (0)
4194#define STR_FREE() do { if (str) { SysFreeString(str); str = NULL; } if (psz) { RTStrFree(psz); psz = NULL; } } while (0)
4195#define RC_CHECK() do { if (VBOX_FAILURE(rc)) { AssertMsgFailed(("rc=%Vrc\n", rc)); STR_FREE(); return rc; } } while (0)
4196#define H() do { if (FAILED(hrc)) { AssertMsgFailed(("hrc=%#x\n", hrc)); STR_FREE(); return VERR_GENERAL_FAILURE; } } while (0)
4197
4198 /* Get necessary objects */
4199
4200 ComPtr<IVirtualBox> virtualBox;
4201 hrc = pMachine->COMGETTER(Parent)(virtualBox.asOutParam()); H();
4202
4203 ComPtr<IHost> host;
4204 hrc = virtualBox->COMGETTER(Host)(host.asOutParam()); H();
4205
4206 ComPtr <ISystemProperties> systemProperties;
4207 hrc = virtualBox->COMGETTER(SystemProperties)(systemProperties.asOutParam()); H();
4208
4209 ComPtr<IBIOSSettings> biosSettings;
4210 hrc = pMachine->COMGETTER(BIOSSettings)(biosSettings.asOutParam()); H();
4211
4212
4213 /*
4214 * Get root node first.
4215 * This is the only node in the tree.
4216 */
4217 PCFGMNODE pRoot = CFGMR3GetRoot(pVM);
4218 Assert(pRoot);
4219
4220 /*
4221 * Set the root level values.
4222 */
4223 hrc = pMachine->COMGETTER(Name)(&str); H();
4224 STR_CONV();
4225 rc = CFGMR3InsertString(pRoot, "Name", psz); RC_CHECK();
4226 STR_FREE();
4227 hrc = pMachine->COMGETTER(MemorySize)(&cRamMBs); H();
4228 rc = CFGMR3InsertInteger(pRoot, "RamSize", cRamMBs * _1M); RC_CHECK();
4229 rc = CFGMR3InsertInteger(pRoot, "TimerMillies", 10); RC_CHECK();
4230 rc = CFGMR3InsertInteger(pRoot, "RawR3Enabled", 1); /* boolean */ RC_CHECK();
4231 rc = CFGMR3InsertInteger(pRoot, "RawR0Enabled", 1); /* boolean */ RC_CHECK();
4232 /** @todo Config: RawR0, PATMEnabled and CASMEnabled needs attention later. */
4233 rc = CFGMR3InsertInteger(pRoot, "PATMEnabled", 1); /* boolean */ RC_CHECK();
4234 rc = CFGMR3InsertInteger(pRoot, "CSAMEnabled", 1); /* boolean */ RC_CHECK();
4235
4236 /* hardware virtualization extensions */
4237 TriStateBool_T hwVirtExEnabled;
4238 BOOL fHWVirtExEnabled;
4239 hrc = pMachine->COMGETTER(HWVirtExEnabled)(&hwVirtExEnabled); H();
4240 if (hwVirtExEnabled == TriStateBool_Default)
4241 {
4242 /* check the default value */
4243 hrc = systemProperties->COMGETTER(HWVirtExEnabled)(&fHWVirtExEnabled); H();
4244 }
4245 else
4246 fHWVirtExEnabled = (hwVirtExEnabled == TriStateBool_True);
4247 if (fHWVirtExEnabled)
4248 {
4249 PCFGMNODE pHWVirtExt;
4250 rc = CFGMR3InsertNode(pRoot, "HWVirtExt", &pHWVirtExt); RC_CHECK();
4251 rc = CFGMR3InsertInteger(pHWVirtExt, "Enabled", 1); RC_CHECK();
4252 }
4253
4254 BOOL fIOAPIC;
4255 hrc = biosSettings->COMGETTER(IOAPICEnabled)(&fIOAPIC); H();
4256
4257 /*
4258 * PDM config.
4259 * Load drivers in VBoxC.[so|dll]
4260 */
4261 PCFGMNODE pPDM;
4262 PCFGMNODE pDrivers;
4263 PCFGMNODE pMod;
4264 rc = CFGMR3InsertNode(pRoot, "PDM", &pPDM); RC_CHECK();
4265 rc = CFGMR3InsertNode(pPDM, "Drivers", &pDrivers); RC_CHECK();
4266 rc = CFGMR3InsertNode(pDrivers, "VBoxC", &pMod); RC_CHECK();
4267#ifdef __LINUX__
4268 // VBoxC is located in the components subdirectory
4269 char szPathProgram[RTPATH_MAX + sizeof("/components/VBoxC")];
4270 rc = RTPathProgram(szPathProgram, RTPATH_MAX); AssertRC(rc);
4271 strcat(szPathProgram, "/components/VBoxC");
4272 rc = CFGMR3InsertString(pMod, "Path", szPathProgram); RC_CHECK();
4273#else
4274 rc = CFGMR3InsertString(pMod, "Path", "VBoxC"); RC_CHECK();
4275#endif
4276
4277 /*
4278 * Devices
4279 */
4280 PCFGMNODE pDevices = NULL; /* /Devices */
4281 PCFGMNODE pDev = NULL; /* /Devices/Dev/ */
4282 PCFGMNODE pInst = NULL; /* /Devices/Dev/0/ */
4283 PCFGMNODE pCfg = NULL; /* /Devices/Dev/.../Config/ */
4284 PCFGMNODE pLunL0 = NULL; /* /Devices/Dev/0/LUN#0/ */
4285 PCFGMNODE pLunL1 = NULL; /* /Devices/Dev/0/LUN#0/AttachedDriver/ */
4286 rc = CFGMR3InsertNode(pRoot, "Devices", &pDevices); RC_CHECK();
4287
4288 /*
4289 * PC Arch.
4290 */
4291 rc = CFGMR3InsertNode(pDevices, "pcarch", &pDev); RC_CHECK();
4292 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4293 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4294 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4295
4296 /*
4297 * PC Bios.
4298 */
4299 rc = CFGMR3InsertNode(pDevices, "pcbios", &pDev); RC_CHECK();
4300 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4301 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4302 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4303 rc = CFGMR3InsertInteger(pCfg, "RamSize", cRamMBs * _1M); RC_CHECK();
4304 rc = CFGMR3InsertString(pCfg, "HardDiskDevice", "piix3ide"); RC_CHECK();
4305 rc = CFGMR3InsertString(pCfg, "FloppyDevice", "i82078"); RC_CHECK();
4306
4307 DeviceType_T bootDevice;
4308 if (SchemaDefs::MaxBootPosition > 9)
4309 {
4310 AssertMsgFailed (("Too many boot devices %d\n",
4311 SchemaDefs::MaxBootPosition));
4312 return VERR_INVALID_PARAMETER;
4313 }
4314
4315 for (ULONG pos = 1; pos <= SchemaDefs::MaxBootPosition; pos ++)
4316 {
4317 hrc = pMachine->GetBootOrder(pos, &bootDevice); H();
4318
4319 char szParamName[] = "BootDeviceX";
4320 szParamName[sizeof (szParamName) - 2] = ((char (pos - 1)) + '0');
4321
4322 const char *pszBootDevice;
4323 switch (bootDevice)
4324 {
4325 case DeviceType_NoDevice:
4326 pszBootDevice = "NONE";
4327 break;
4328 case DeviceType_HardDiskDevice:
4329 pszBootDevice = "IDE";
4330 break;
4331 case DeviceType_DVDDevice:
4332 pszBootDevice = "DVD";
4333 break;
4334 case DeviceType_FloppyDevice:
4335 pszBootDevice = "FLOPPY";
4336 break;
4337 case DeviceType_NetworkDevice:
4338 pszBootDevice = "LAN";
4339 break;
4340 default:
4341 AssertMsgFailed(("Invalid bootDevice=%d\n", bootDevice));
4342 return VERR_INVALID_PARAMETER;
4343 }
4344 rc = CFGMR3InsertString(pCfg, szParamName, pszBootDevice); RC_CHECK();
4345 }
4346
4347 /*
4348 * BIOS logo
4349 */
4350 BOOL fFadeIn;
4351 hrc = biosSettings->COMGETTER(LogoFadeIn)(&fFadeIn); H();
4352 rc = CFGMR3InsertInteger(pCfg, "FadeIn", fFadeIn ? 1 : 0); RC_CHECK();
4353 BOOL fFadeOut;
4354 hrc = biosSettings->COMGETTER(LogoFadeOut)(&fFadeOut); H();
4355 rc = CFGMR3InsertInteger(pCfg, "FadeOut", fFadeOut ? 1: 0); RC_CHECK();
4356 ULONG logoDisplayTime;
4357 hrc = biosSettings->COMGETTER(LogoDisplayTime)(&logoDisplayTime); H();
4358 rc = CFGMR3InsertInteger(pCfg, "LogoTime", logoDisplayTime); RC_CHECK();
4359 Bstr logoImagePath;
4360 hrc = biosSettings->COMGETTER(LogoImagePath)(logoImagePath.asOutParam()); H();
4361 rc = CFGMR3InsertString(pCfg, "LogoFile", logoImagePath ? Utf8Str(logoImagePath) : ""); RC_CHECK();
4362
4363 /*
4364 * Boot menu
4365 */
4366 BIOSBootMenuMode_T bootMenuMode;
4367 int value;
4368 biosSettings->COMGETTER(BootMenuMode)(&bootMenuMode);
4369 switch (bootMenuMode)
4370 {
4371 case BIOSBootMenuMode_Disabled:
4372 value = 0;
4373 break;
4374 case BIOSBootMenuMode_MenuOnly:
4375 value = 1;
4376 break;
4377 default:
4378 value = 2;
4379 }
4380 rc = CFGMR3InsertInteger(pCfg, "ShowBootMenu", value); RC_CHECK();
4381
4382 /*
4383 * ACPI
4384 */
4385 BOOL fACPI;
4386 hrc = biosSettings->COMGETTER(ACPIEnabled)(&fACPI); H();
4387 if (fACPI)
4388 {
4389 rc = CFGMR3InsertNode(pDevices, "acpi", &pDev); RC_CHECK();
4390 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4391 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4392 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4393 rc = CFGMR3InsertInteger(pCfg, "RamSize", cRamMBs * _1M); RC_CHECK();
4394 rc = CFGMR3InsertInteger(pCfg, "IOAPIC", fIOAPIC); RC_CHECK();
4395 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 7); RC_CHECK();
4396 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
4397
4398 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4399 rc = CFGMR3InsertString(pLunL0, "Driver", "ACPIHost"); RC_CHECK();
4400 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4401 }
4402
4403 /*
4404 * DMA
4405 */
4406 rc = CFGMR3InsertNode(pDevices, "8237A", &pDev); RC_CHECK();
4407 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4408 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4409
4410 /*
4411 * PCI bus.
4412 */
4413 rc = CFGMR3InsertNode(pDevices, "pci", &pDev); /* piix3 */ RC_CHECK();
4414 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4415 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4416 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4417 rc = CFGMR3InsertInteger(pCfg, "IOAPIC", fIOAPIC); RC_CHECK();
4418
4419 /*
4420 * PS/2 keyboard & mouse.
4421 */
4422 rc = CFGMR3InsertNode(pDevices, "pckbd", &pDev); RC_CHECK();
4423 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4424 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4425 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4426
4427 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4428 rc = CFGMR3InsertString(pLunL0, "Driver", "KeyboardQueue"); RC_CHECK();
4429 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4430 rc = CFGMR3InsertInteger(pCfg, "QueueSize", 64); RC_CHECK();
4431
4432 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4433 rc = CFGMR3InsertString(pLunL1, "Driver", "MainKeyboard"); RC_CHECK();
4434 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4435 Keyboard *pKeyboard = pConsole->mKeyboard;
4436 rc = CFGMR3InsertInteger(pCfg, "Object", (uintptr_t)pKeyboard); RC_CHECK();
4437
4438 rc = CFGMR3InsertNode(pInst, "LUN#1", &pLunL0); RC_CHECK();
4439 rc = CFGMR3InsertString(pLunL0, "Driver", "MouseQueue"); RC_CHECK();
4440 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4441 rc = CFGMR3InsertInteger(pCfg, "QueueSize", 128); RC_CHECK();
4442
4443 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4444 rc = CFGMR3InsertString(pLunL1, "Driver", "MainMouse"); RC_CHECK();
4445 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4446 Mouse *pMouse = pConsole->mMouse;
4447 rc = CFGMR3InsertInteger(pCfg, "Object", (uintptr_t)pMouse); RC_CHECK();
4448
4449 /*
4450 * i82078 Floppy drive controller
4451 */
4452 ComPtr<IFloppyDrive> floppyDrive;
4453 hrc = pMachine->COMGETTER(FloppyDrive)(floppyDrive.asOutParam()); H();
4454 BOOL fFloppyEnabled;
4455 hrc = floppyDrive->COMGETTER(Enabled)(&fFloppyEnabled); H();
4456 if (fFloppyEnabled)
4457 {
4458 rc = CFGMR3InsertNode(pDevices, "i82078", &pDev); RC_CHECK();
4459 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4460 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); RC_CHECK();
4461 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4462 rc = CFGMR3InsertInteger(pCfg, "IRQ", 6); RC_CHECK();
4463 rc = CFGMR3InsertInteger(pCfg, "DMA", 2); RC_CHECK();
4464 rc = CFGMR3InsertInteger(pCfg, "MemMapped", 0 ); RC_CHECK();
4465 rc = CFGMR3InsertInteger(pCfg, "IOBase", 0x3f0); RC_CHECK();
4466
4467 /* Attach the status driver */
4468 rc = CFGMR3InsertNode(pInst, "LUN#999", &pLunL0); RC_CHECK();
4469 rc = CFGMR3InsertString(pLunL0, "Driver", "MainStatus"); RC_CHECK();
4470 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4471 rc = CFGMR3InsertInteger(pCfg, "papLeds", (uintptr_t)&pConsole->mapFDLeds[0]); RC_CHECK();
4472 rc = CFGMR3InsertInteger(pCfg, "First", 0); RC_CHECK();
4473 rc = CFGMR3InsertInteger(pCfg, "Last", 0); RC_CHECK();
4474
4475 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4476
4477 ComPtr<IFloppyImage> floppyImage;
4478 hrc = floppyDrive->GetImage(floppyImage.asOutParam()); H();
4479 if (floppyImage)
4480 {
4481 pConsole->meFloppyState = DriveState_ImageMounted;
4482 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
4483 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4484 rc = CFGMR3InsertString(pCfg, "Type", "Floppy 1.44"); RC_CHECK();
4485 rc = CFGMR3InsertInteger(pCfg, "Mountable", 1); RC_CHECK();
4486
4487 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4488 rc = CFGMR3InsertString(pLunL1, "Driver", "RawImage"); RC_CHECK();
4489 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4490 hrc = floppyImage->COMGETTER(FilePath)(&str); H();
4491 STR_CONV();
4492 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
4493 STR_FREE();
4494 }
4495 else
4496 {
4497 ComPtr<IHostFloppyDrive> hostFloppyDrive;
4498 hrc = floppyDrive->GetHostDrive(hostFloppyDrive.asOutParam()); H();
4499 if (hostFloppyDrive)
4500 {
4501 pConsole->meFloppyState = DriveState_HostDriveCaptured;
4502 rc = CFGMR3InsertString(pLunL0, "Driver", "HostFloppy"); RC_CHECK();
4503 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4504 hrc = hostFloppyDrive->COMGETTER(Name)(&str); H();
4505 STR_CONV();
4506 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
4507 STR_FREE();
4508 }
4509 else
4510 {
4511 pConsole->meFloppyState = DriveState_NotMounted;
4512 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
4513 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4514 rc = CFGMR3InsertString(pCfg, "Type", "Floppy 1.44"); RC_CHECK();
4515 rc = CFGMR3InsertInteger(pCfg, "Mountable", 1); RC_CHECK();
4516 }
4517 }
4518 }
4519
4520 /*
4521 * i8254 Programmable Interval Timer And Dummy Speaker
4522 */
4523 rc = CFGMR3InsertNode(pDevices, "i8254", &pDev); RC_CHECK();
4524 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4525 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4526#ifdef DEBUG
4527 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4528#endif
4529
4530 /*
4531 * i8259 Programmable Interrupt Controller.
4532 */
4533 rc = CFGMR3InsertNode(pDevices, "i8259", &pDev); RC_CHECK();
4534 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4535 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4536 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4537
4538 /*
4539 * Advanced Programmable Interrupt Controller.
4540 */
4541 rc = CFGMR3InsertNode(pDevices, "apic", &pDev); RC_CHECK();
4542 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4543 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4544 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4545
4546 if (fIOAPIC)
4547 {
4548 /*
4549 * I/O Advanced Programmable Interrupt Controller.
4550 */
4551 rc = CFGMR3InsertNode(pDevices, "ioapic", &pDev); RC_CHECK();
4552 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4553 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4554 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4555 }
4556
4557 /*
4558 * RTC MC146818.
4559 */
4560 rc = CFGMR3InsertNode(pDevices, "mc146818", &pDev); RC_CHECK();
4561 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4562 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4563
4564#if 0
4565 /*
4566 * Serial ports
4567 */
4568 rc = CFGMR3InsertNode(pDevices, "serial", &pDev); RC_CHECK();
4569 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4570 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4571 rc = CFGMR3InsertInteger(pCfg, "IRQ", 4); RC_CHECK();
4572 rc = CFGMR3InsertInteger(pCfg, "IOBase", 0x3f8); RC_CHECK();
4573
4574 rc = CFGMR3InsertNode(pDev, "1", &pInst); RC_CHECK();
4575 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4576 rc = CFGMR3InsertInteger(pCfg, "IRQ", 3); RC_CHECK();
4577 rc = CFGMR3InsertInteger(pCfg, "IOBase", 0x2f8); RC_CHECK();
4578#endif
4579
4580 /*
4581 * VGA.
4582 */
4583 rc = CFGMR3InsertNode(pDevices, "vga", &pDev); RC_CHECK();
4584 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4585 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4586 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 2); RC_CHECK();
4587 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
4588 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4589 hrc = pMachine->COMGETTER(VRAMSize)(&cRamMBs); H();
4590 rc = CFGMR3InsertInteger(pCfg, "VRamSize", cRamMBs * _1M); RC_CHECK();
4591
4592 /* Custom VESA mode list */
4593 unsigned cModes = 0;
4594 for (unsigned iMode = 1; iMode <= 16; iMode++)
4595 {
4596 char szExtraDataKey[sizeof("CustomVideoModeXX")];
4597 RTStrPrintf(szExtraDataKey, sizeof(szExtraDataKey), "CustomVideoMode%d", iMode);
4598 hrc = pMachine->GetExtraData(Bstr(szExtraDataKey), &str); H();
4599 if (!str || !*str)
4600 break;
4601 STR_CONV();
4602 rc = CFGMR3InsertString(pCfg, szExtraDataKey, psz);
4603 STR_FREE();
4604 cModes++;
4605 }
4606 rc = CFGMR3InsertInteger(pCfg, "CustomVideoModes", cModes);
4607
4608 /* VESA height reduction */
4609 ULONG ulHeightReduction;
4610 IFramebuffer *pFramebuffer = pConsole->getDisplay()->getFramebuffer();
4611 hrc = pFramebuffer->COMGETTER(HeightReduction)(&ulHeightReduction); H();
4612 rc = CFGMR3InsertInteger(pCfg, "HeightReduction", ulHeightReduction); RC_CHECK();
4613
4614 /* Attach the display. */
4615 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4616 rc = CFGMR3InsertString(pLunL0, "Driver", "MainDisplay"); RC_CHECK();
4617 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4618 Display *pDisplay = pConsole->mDisplay;
4619 rc = CFGMR3InsertInteger(pCfg, "Object", (uintptr_t)pDisplay); RC_CHECK();
4620
4621 /*
4622 * IDE (update this when the main interface changes)
4623 */
4624 rc = CFGMR3InsertNode(pDevices, "piix3ide", &pDev); /* piix3 */ RC_CHECK();
4625 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
4626 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4627 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 1); RC_CHECK();
4628 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 1); RC_CHECK();
4629 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4630
4631 /* Attach the status driver */
4632 rc = CFGMR3InsertNode(pInst, "LUN#999", &pLunL0); RC_CHECK();
4633 rc = CFGMR3InsertString(pLunL0, "Driver", "MainStatus"); RC_CHECK();
4634 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4635 rc = CFGMR3InsertInteger(pCfg, "papLeds", (uintptr_t)&pConsole->mapIDELeds[0]);RC_CHECK();
4636 rc = CFGMR3InsertInteger(pCfg, "First", 0); RC_CHECK();
4637 rc = CFGMR3InsertInteger(pCfg, "Last", 3); RC_CHECK();
4638
4639 /* Attach the harddisks */
4640 ComPtr<IHardDiskAttachmentCollection> hdaColl;
4641 hrc = pMachine->COMGETTER(HardDiskAttachments)(hdaColl.asOutParam()); H();
4642 ComPtr<IHardDiskAttachmentEnumerator> hdaEnum;
4643 hrc = hdaColl->Enumerate(hdaEnum.asOutParam()); H();
4644
4645 BOOL fMore = FALSE;
4646 while ( SUCCEEDED(hrc = hdaEnum->HasMore(&fMore))
4647 && fMore)
4648 {
4649 ComPtr<IHardDiskAttachment> hda;
4650 hrc = hdaEnum->GetNext(hda.asOutParam()); H();
4651 ComPtr<IHardDisk> hardDisk;
4652 hrc = hda->COMGETTER(HardDisk)(hardDisk.asOutParam()); H();
4653 DiskControllerType_T enmCtl;
4654 hrc = hda->COMGETTER(Controller)(&enmCtl); H();
4655 LONG lDev;
4656 hrc = hda->COMGETTER(DeviceNumber)(&lDev); H();
4657
4658 switch (enmCtl)
4659 {
4660 case DiskControllerType_IDE0Controller:
4661 i = 0;
4662 break;
4663 case DiskControllerType_IDE1Controller:
4664 i = 2;
4665 break;
4666 default:
4667 AssertMsgFailed(("invalid disk controller type: %d\n", enmCtl));
4668 return VERR_GENERAL_FAILURE;
4669 }
4670
4671 if (lDev < 0 || lDev >= 2)
4672 {
4673 AssertMsgFailed(("invalid controller device number: %d\n", lDev));
4674 return VERR_GENERAL_FAILURE;
4675 }
4676
4677 i = i + lDev;
4678
4679 char szLUN[16];
4680 RTStrPrintf(szLUN, sizeof(szLUN), "LUN#%d", i);
4681 rc = CFGMR3InsertNode(pInst, szLUN, &pLunL0); RC_CHECK();
4682 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
4683 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4684 rc = CFGMR3InsertString(pCfg, "Type", "HardDisk"); RC_CHECK();
4685 rc = CFGMR3InsertInteger(pCfg, "Mountable", 0); RC_CHECK();
4686
4687 HardDiskStorageType_T hddType;
4688 hardDisk->COMGETTER(StorageType)(&hddType);
4689 if (hddType == HardDiskStorageType_VirtualDiskImage)
4690 {
4691 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4692 rc = CFGMR3InsertString(pLunL1, "Driver", "VBoxHDD"); RC_CHECK();
4693 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4694 /// @todo (dmik) we temporarily use the location property to
4695 // determine the image file name. This is subject to change
4696 // when iSCSI disks are here (we should either query a
4697 // storage-specific interface from IHardDisk, or "standardize"
4698 // the location property)
4699 hrc = hardDisk->COMGETTER(Location)(&str); H();
4700 STR_CONV();
4701 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
4702 STR_FREE();
4703
4704 /* Create an inversed tree of parents. */
4705 ComPtr<IHardDisk> parentHardDisk = hardDisk;
4706 for (PCFGMNODE pParent = pCfg;;)
4707 {
4708 ComPtr<IHardDisk> curHardDisk;
4709 hrc = parentHardDisk->COMGETTER(Parent)(curHardDisk.asOutParam()); H();
4710 if (!curHardDisk)
4711 break;
4712
4713 PCFGMNODE pCur;
4714 rc = CFGMR3InsertNode(pParent, "Parent", &pCur); RC_CHECK();
4715 /// @todo (dmik) we temporarily use the location property to
4716 // determine the image file name. This is subject to change
4717 // when iSCSI disks are here (we should either query a
4718 // storage-specific interface from IHardDisk, or "standardize"
4719 // the location property)
4720 hrc = curHardDisk->COMGETTER(Location)(&str); H();
4721 STR_CONV();
4722 rc = CFGMR3InsertString(pCur, "Path", psz); RC_CHECK();
4723 STR_FREE();
4724
4725 /* next */
4726 pParent = pCur;
4727 parentHardDisk = curHardDisk;
4728 }
4729 }
4730 else if (hddType == HardDiskStorageType_ISCSIHardDisk)
4731 {
4732 ComPtr<IISCSIHardDisk> iSCSIDisk = hardDisk;
4733
4734 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4735 rc = CFGMR3InsertString(pLunL1, "Driver", "iSCSI"); RC_CHECK();
4736 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4737
4738 /* Set up the iSCSI initiator driver configuration. */
4739 hrc = iSCSIDisk->COMGETTER(Target)(&str); H();
4740 STR_CONV();
4741 rc = CFGMR3InsertString(pCfg, "TargetName", psz); RC_CHECK();
4742 STR_FREE();
4743
4744 // @todo currently there is no Initiator name config.
4745 rc = CFGMR3InsertString(pCfg, "InitiatorName", "iqn.2006-02.de.innotek.initiator"); RC_CHECK();
4746
4747 ULONG64 lun;
4748 hrc = iSCSIDisk->COMGETTER(Lun)(&lun); H();
4749 rc = CFGMR3InsertInteger(pCfg, "LUN", lun); RC_CHECK();
4750
4751 hrc = iSCSIDisk->COMGETTER(Server)(&str); H();
4752 STR_CONV();
4753 USHORT port;
4754 hrc = iSCSIDisk->COMGETTER(Port)(&port); H();
4755 if (port != 0)
4756 {
4757 char *pszTN;
4758 RTStrAPrintf(&pszTN, "%s:%u", psz, port);
4759 rc = CFGMR3InsertString(pCfg, "TargetAddress", pszTN); RC_CHECK();
4760 RTStrFree(pszTN);
4761 }
4762 else
4763 {
4764 rc = CFGMR3InsertString(pCfg, "TargetAddress", psz); RC_CHECK();
4765 }
4766 STR_FREE();
4767
4768 hrc = iSCSIDisk->COMGETTER(UserName)(&str); H();
4769 if (str)
4770 {
4771 STR_CONV();
4772 rc = CFGMR3InsertString(pCfg, "InitiatorUsername", psz); RC_CHECK();
4773 STR_FREE();
4774 }
4775
4776 hrc = iSCSIDisk->COMGETTER(Password)(&str); H();
4777 if (str)
4778 {
4779 STR_CONV();
4780 rc = CFGMR3InsertString(pCfg, "InitiatorSecret", psz); RC_CHECK();
4781 STR_FREE();
4782 }
4783
4784 // @todo currently there is no target username config.
4785 //rc = CFGMR3InsertString(pCfg, "TargetUsername", ""); RC_CHECK();
4786
4787 // @todo currently there is no target password config.
4788 //rc = CFGMR3InsertString(pCfg, "TargetSecret", ""); RC_CHECK();
4789
4790 /* The iSCSI initiator needs an attached iSCSI transport driver. */
4791 PCFGMNODE pLunL2 = NULL; /* /Devices/Dev/0/LUN#0/AttachedDriver/AttachedDriver */
4792 rc = CFGMR3InsertNode(pLunL1, "AttachedDriver", &pLunL2); RC_CHECK();
4793 rc = CFGMR3InsertString(pLunL2, "Driver", "iSCSITCP"); RC_CHECK();
4794 /* Currently the transport driver has no config options. */
4795 }
4796 else
4797 AssertFailed();
4798 }
4799 H();
4800
4801 ComPtr<IDVDDrive> dvdDrive;
4802 hrc = pMachine->COMGETTER(DVDDrive)(dvdDrive.asOutParam()); H();
4803 if (dvdDrive)
4804 {
4805 // ASSUME: DVD drive is always attached to LUN#2 (i.e. secondary IDE master)
4806 rc = CFGMR3InsertNode(pInst, "LUN#2", &pLunL0); RC_CHECK();
4807 ComPtr<IHostDVDDrive> hostDvdDrive;
4808 hrc = dvdDrive->GetHostDrive(hostDvdDrive.asOutParam()); H();
4809 if (hostDvdDrive)
4810 {
4811 pConsole->meDVDState = DriveState_HostDriveCaptured;
4812 rc = CFGMR3InsertString(pLunL0, "Driver", "HostDVD"); RC_CHECK();
4813 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4814 hrc = hostDvdDrive->COMGETTER(Name)(&str); H();
4815 STR_CONV();
4816 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
4817 STR_FREE();
4818 BOOL fPassthrough;
4819 hrc = dvdDrive->COMGETTER(Passthrough)(&fPassthrough); H();
4820 rc = CFGMR3InsertInteger(pCfg, "Passthrough", !!fPassthrough); RC_CHECK();
4821 }
4822 else
4823 {
4824 pConsole->meDVDState = DriveState_NotMounted;
4825 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
4826 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4827 rc = CFGMR3InsertString(pCfg, "Type", "DVD"); RC_CHECK();
4828 rc = CFGMR3InsertInteger(pCfg, "Mountable", 1); RC_CHECK();
4829
4830 ComPtr<IDVDImage> dvdImage;
4831 hrc = dvdDrive->GetImage(dvdImage.asOutParam()); H();
4832 if (dvdImage)
4833 {
4834 pConsole->meDVDState = DriveState_ImageMounted;
4835 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
4836 rc = CFGMR3InsertString(pLunL1, "Driver", "MediaISO"); RC_CHECK();
4837 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
4838 hrc = dvdImage->COMGETTER(FilePath)(&str); H();
4839 STR_CONV();
4840 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
4841 STR_FREE();
4842 }
4843 }
4844 }
4845
4846 /*
4847 * Network adapters
4848 */
4849 rc = CFGMR3InsertNode(pDevices, "pcnet", &pDev); RC_CHECK();
4850 //rc = CFGMR3InsertNode(pDevices, "ne2000", &pDev); RC_CHECK();
4851 for (ULONG ulInstance = 0; ulInstance < SchemaDefs::NetworkAdapterCount; ulInstance++)
4852 {
4853 ComPtr<INetworkAdapter> networkAdapter;
4854 hrc = pMachine->GetNetworkAdapter(ulInstance, networkAdapter.asOutParam()); H();
4855 BOOL fEnabled = FALSE;
4856 hrc = networkAdapter->COMGETTER(Enabled)(&fEnabled); H();
4857 if (!fEnabled)
4858 continue;
4859
4860 char szInstance[4]; Assert(ulInstance <= 999);
4861 RTStrPrintf(szInstance, sizeof(szInstance), "%lu", ulInstance);
4862 rc = CFGMR3InsertNode(pDev, szInstance, &pInst); RC_CHECK();
4863 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
4864 /* the first network card gets the PCI ID 3, the followings starting from 8 */
4865 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", !ulInstance ? 3 : ulInstance - 1 + 8); RC_CHECK();
4866 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
4867 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
4868
4869 /*
4870 * The virtual hardware type.
4871 */
4872 NetworkAdapterType_T adapterType;
4873 hrc = networkAdapter->COMGETTER(AdapterType)(&adapterType); H();
4874 switch (adapterType)
4875 {
4876 case NetworkAdapterType_NetworkAdapterAm79C970A:
4877 rc = CFGMR3InsertInteger(pCfg, "Am79C973", 0); RC_CHECK();
4878 break;
4879 case NetworkAdapterType_NetworkAdapterAm79C973:
4880 rc = CFGMR3InsertInteger(pCfg, "Am79C973", 1); RC_CHECK();
4881 break;
4882 default:
4883 AssertMsgFailed(("Invalid network adapter type '%d' for slot '%d'",
4884 adapterType, ulInstance));
4885 return VERR_GENERAL_FAILURE;
4886 }
4887
4888 /*
4889 * Get the MAC address and convert it to binary representation
4890 */
4891 Bstr macAddr;
4892 hrc = networkAdapter->COMGETTER(MACAddress)(macAddr.asOutParam()); H();
4893 Assert(macAddr);
4894 Utf8Str macAddrUtf8 = macAddr;
4895 char *macStr = (char*)macAddrUtf8.raw();
4896 Assert(strlen(macStr) == 12);
4897 PDMMAC Mac;
4898 memset(&Mac, 0, sizeof(Mac));
4899 char *pMac = (char*)&Mac;
4900 for (uint32_t i = 0; i < 6; i++)
4901 {
4902 char c1 = *macStr++ - '0';
4903 if (c1 > 9)
4904 c1 -= 7;
4905 char c2 = *macStr++ - '0';
4906 if (c2 > 9)
4907 c2 -= 7;
4908 *pMac++ = ((c1 & 0x0f) << 4) | (c2 & 0x0f);
4909 }
4910 rc = CFGMR3InsertBytes(pCfg, "MAC", &Mac, sizeof(Mac)); RC_CHECK();
4911
4912 /*
4913 * Check if the cable is supposed to be unplugged
4914 */
4915 BOOL fCableConnected;
4916 hrc = networkAdapter->COMGETTER(CableConnected)(&fCableConnected); H();
4917 rc = CFGMR3InsertInteger(pCfg, "CableConnected", fCableConnected ? 1 : 0); RC_CHECK();
4918
4919 /*
4920 * Attach the status driver.
4921 */
4922 rc = CFGMR3InsertNode(pInst, "LUN#999", &pLunL0); RC_CHECK();
4923 rc = CFGMR3InsertString(pLunL0, "Driver", "MainStatus"); RC_CHECK();
4924 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4925 rc = CFGMR3InsertInteger(pCfg, "papLeds", (uintptr_t)&pConsole->mapNetworkLeds[ulInstance]); RC_CHECK();
4926
4927 /*
4928 * Enable the packet sniffer if requested.
4929 */
4930 BOOL fSniffer;
4931 hrc = networkAdapter->COMGETTER(TraceEnabled)(&fSniffer); H();
4932 if (fSniffer)
4933 {
4934 /* insert the sniffer filter driver. */
4935 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4936 rc = CFGMR3InsertString(pLunL0, "Driver", "NetSniffer"); RC_CHECK();
4937 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4938 hrc = networkAdapter->COMGETTER(TraceFile)(&str); H();
4939 if (str) /* check convention for indicating default file. */
4940 {
4941 STR_CONV();
4942 rc = CFGMR3InsertString(pCfg, "File", psz); RC_CHECK();
4943 STR_FREE();
4944 }
4945 }
4946
4947 NetworkAttachmentType_T networkAttachment;
4948 hrc = networkAdapter->COMGETTER(AttachmentType)(&networkAttachment); H();
4949 switch (networkAttachment)
4950 {
4951 case NetworkAttachmentType_NoNetworkAttachment:
4952 break;
4953
4954 case NetworkAttachmentType_NATNetworkAttachment:
4955 {
4956 if (fSniffer)
4957 {
4958 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL0); RC_CHECK();
4959 }
4960 else
4961 {
4962 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4963 }
4964 rc = CFGMR3InsertString(pLunL0, "Driver", "NAT"); RC_CHECK();
4965 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4966 /* (Port forwarding goes here.) */
4967 break;
4968 }
4969
4970 case NetworkAttachmentType_HostInterfaceNetworkAttachment:
4971 {
4972 /*
4973 * Perform the attachment if required (don't return on error!)
4974 */
4975 hrc = pConsole->attachToHostInterface(networkAdapter);
4976 if (SUCCEEDED(hrc))
4977 {
4978#ifdef __LINUX__
4979 Assert (pConsole->maTapFD[ulInstance] >= 0);
4980 if (pConsole->maTapFD[ulInstance] >= 0)
4981 {
4982 if (fSniffer)
4983 {
4984 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL0); RC_CHECK();
4985 }
4986 else
4987 {
4988 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
4989 }
4990 rc = CFGMR3InsertString(pLunL0, "Driver", "HostInterface"); RC_CHECK();
4991 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
4992 rc = CFGMR3InsertInteger(pCfg, "FileHandle", pConsole->maTapFD[ulInstance]); RC_CHECK();
4993 }
4994#else /* !__LINUX__ */
4995 if (fSniffer)
4996 {
4997 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL0); RC_CHECK();
4998 }
4999 else
5000 {
5001 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5002 }
5003 Bstr hostInterfaceName;
5004 hrc = networkAdapter->COMGETTER(HostInterface)(hostInterfaceName.asOutParam()); H();
5005 ComPtr<IHostNetworkInterfaceCollection> coll;
5006 hrc = host->COMGETTER(NetworkInterfaces)(coll.asOutParam()); H();
5007 ComPtr<IHostNetworkInterface> hostInterface;
5008 rc = coll->FindByName(hostInterfaceName, hostInterface.asOutParam());
5009 if (!SUCCEEDED(rc))
5010 {
5011 AssertMsgFailed(("Cannot get GUID for host interface '%ls'\n", hostInterfaceName));
5012 hrc = networkAdapter->Detach(); H();
5013 }
5014 else
5015 {
5016 rc = CFGMR3InsertString(pLunL0, "Driver", "HostInterface"); RC_CHECK();
5017 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5018 rc = CFGMR3InsertString(pCfg, "HostInterfaceName", Utf8Str(hostInterfaceName)); RC_CHECK();
5019 Guid hostIFGuid;
5020 hrc = hostInterface->COMGETTER(Id)(hostIFGuid.asOutParam()); H();
5021 char szDriverGUID[256] = {0};
5022 /* add curly brackets */
5023 szDriverGUID[0] = '{';
5024 strcpy(szDriverGUID + 1, hostIFGuid.toString().raw());
5025 strcat(szDriverGUID, "}");
5026 rc = CFGMR3InsertBytes(pCfg, "GUID", szDriverGUID, sizeof(szDriverGUID)); RC_CHECK();
5027 }
5028#endif /* !__LINUX__ */
5029 }
5030 else
5031 {
5032 switch (hrc)
5033 {
5034#ifdef __LINUX__
5035 case VERR_ACCESS_DENIED:
5036 return VMSetError(pVM, VERR_HOSTIF_INIT_FAILED, RT_SRC_POS, N_(
5037 "Failed to open '/dev/net/tun' for read/write access. Please check the "
5038 "permissions of that node. Either do 'chmod 0666 /dev/net/tun' or "
5039 "change the group of that node and get member of that group. Make "
5040 "sure that these changes are permanently in particular if you are "
5041 "using udev"));
5042#endif /* __LINUX__ */
5043 default:
5044 AssertMsgFailed(("Could not attach to host interface! Bad!\n"));
5045 return VMSetError(pVM, VERR_HOSTIF_INIT_FAILED, RT_SRC_POS, N_(
5046 "Failed to initialize Host Interface Networking"));
5047 }
5048 }
5049 break;
5050 }
5051
5052 case NetworkAttachmentType_InternalNetworkAttachment:
5053 {
5054 hrc = networkAdapter->COMGETTER(InternalNetwork)(&str); H();
5055 STR_CONV();
5056 if (psz && *psz)
5057 {
5058 if (fSniffer)
5059 {
5060 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL0); RC_CHECK();
5061 }
5062 else
5063 {
5064 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5065 }
5066 rc = CFGMR3InsertString(pLunL0, "Driver", "IntNet"); RC_CHECK();
5067 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5068 rc = CFGMR3InsertString(pCfg, "Network", psz); RC_CHECK();
5069 }
5070 STR_FREE();
5071 break;
5072 }
5073
5074 default:
5075 AssertMsgFailed(("should not get here!\n"));
5076 break;
5077 }
5078 }
5079
5080 /*
5081 * VMM Device
5082 */
5083 rc = CFGMR3InsertNode(pDevices, "VMMDev", &pDev); RC_CHECK();
5084 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
5085 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
5086 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
5087 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 4); RC_CHECK();
5088 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
5089
5090 /* the VMM device's Main driver */
5091 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5092 rc = CFGMR3InsertString(pLunL0, "Driver", "MainVMMDev"); RC_CHECK();
5093 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5094 VMMDev *pVMMDev = pConsole->mVMMDev;
5095 rc = CFGMR3InsertInteger(pCfg, "Object", (uintptr_t)pVMMDev); RC_CHECK();
5096
5097 /*
5098 * Audio Sniffer Device
5099 */
5100 rc = CFGMR3InsertNode(pDevices, "AudioSniffer", &pDev); RC_CHECK();
5101 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
5102 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
5103
5104 /* the Audio Sniffer device's Main driver */
5105 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5106 rc = CFGMR3InsertString(pLunL0, "Driver", "MainAudioSniffer"); RC_CHECK();
5107 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5108 AudioSniffer *pAudioSniffer = pConsole->mAudioSniffer;
5109 rc = CFGMR3InsertInteger(pCfg, "Object", (uintptr_t)pAudioSniffer); RC_CHECK();
5110
5111 /*
5112 * AC'97 ICH audio
5113 */
5114 ComPtr<IAudioAdapter> audioAdapter;
5115 hrc = pMachine->COMGETTER(AudioAdapter)(audioAdapter.asOutParam()); H();
5116 BOOL enabled = FALSE;
5117 if (audioAdapter)
5118 {
5119 hrc = audioAdapter->COMGETTER(Enabled)(&enabled); H();
5120 }
5121 if (enabled)
5122 {
5123 rc = CFGMR3InsertNode(pDevices, "ichac97", &pDev); /* ichac97 */
5124 rc = CFGMR3InsertNode(pDev, "0", &pInst);
5125 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
5126 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 5); RC_CHECK();
5127 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
5128 rc = CFGMR3InsertNode(pInst, "Config", &pCfg);
5129
5130 /* the Audio driver */
5131 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5132 rc = CFGMR3InsertString(pLunL0, "Driver", "AUDIO"); RC_CHECK();
5133 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5134 AudioDriverType_T audioDriver;
5135 hrc = audioAdapter->COMGETTER(AudioDriver)(&audioDriver); H();
5136 switch (audioDriver)
5137 {
5138 case AudioDriverType_NullAudioDriver:
5139 {
5140 rc = CFGMR3InsertString(pCfg, "AudioDriver", "null"); RC_CHECK();
5141 break;
5142 }
5143#ifdef __WIN__
5144 case AudioDriverType_WINMMAudioDriver:
5145 {
5146 rc = CFGMR3InsertString(pCfg, "AudioDriver", "winmm"); RC_CHECK();
5147 break;
5148 }
5149 case AudioDriverType_DSOUNDAudioDriver:
5150 {
5151 rc = CFGMR3InsertString(pCfg, "AudioDriver", "dsound"); RC_CHECK();
5152 break;
5153 }
5154#else /* !__WIN__ */
5155 case AudioDriverType_OSSAudioDriver:
5156 {
5157 rc = CFGMR3InsertString(pCfg, "AudioDriver", "oss"); RC_CHECK();
5158 break;
5159 }
5160#ifdef VBOX_WITH_ALSA
5161 case AudioDriverType_ALSAAudioDriver:
5162 {
5163 rc = CFGMR3InsertString(pCfg, "AudioDriver", "alsa"); RC_CHECK();
5164 break;
5165 }
5166#endif
5167#endif /* !__WIN__ */
5168 }
5169 }
5170
5171 /*
5172 * The USB Controller.
5173 */
5174 ComPtr<IUSBController> USBCtlPtr;
5175 hrc = pMachine->COMGETTER(USBController)(USBCtlPtr.asOutParam());
5176 if (USBCtlPtr)
5177 {
5178 BOOL fEnabled;
5179 hrc = USBCtlPtr->COMGETTER(Enabled)(&fEnabled); H();
5180 if (fEnabled)
5181 {
5182 rc = CFGMR3InsertNode(pDevices, "usb-ohci", &pDev); RC_CHECK();
5183 rc = CFGMR3InsertNode(pDev, "0", &pInst); RC_CHECK();
5184 rc = CFGMR3InsertNode(pInst, "Config", &pCfg); RC_CHECK();
5185 rc = CFGMR3InsertInteger(pInst, "Trusted", 1); /* boolean */ RC_CHECK();
5186 rc = CFGMR3InsertInteger(pInst, "PCIDeviceNo", 6); RC_CHECK();
5187 rc = CFGMR3InsertInteger(pInst, "PCIFunctionNo", 0); RC_CHECK();
5188
5189 rc = CFGMR3InsertNode(pInst, "LUN#0", &pLunL0); RC_CHECK();
5190 rc = CFGMR3InsertString(pLunL0, "Driver", "VUSBRootHub"); RC_CHECK();
5191 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
5192 }
5193 }
5194
5195 /*
5196 * Clipboard
5197 */
5198 {
5199 ClipboardMode_T mode = ClipboardMode_ClipDisabled;
5200 hrc = pMachine->COMGETTER(ClipboardMode) (&mode); H();
5201
5202 if (mode != ClipboardMode_ClipDisabled)
5203 {
5204 /* Load the service */
5205 rc = pConsole->mVMMDev->hgcmLoadService ("VBoxSharedClipboard", "VBoxSharedClipboard");
5206
5207 if (VBOX_FAILURE (rc))
5208 {
5209 LogRel(("VBoxSharedClipboard is not available. rc = %Vrc\n", rc));
5210 /* That is not a fatal failure. */
5211 rc = VINF_SUCCESS;
5212 }
5213 else
5214 {
5215 /* Setup the service. */
5216 VBOXHGCMSVCPARM parm;
5217
5218 parm.type = VBOX_HGCM_SVC_PARM_32BIT;
5219
5220 switch (mode)
5221 {
5222 default:
5223 case ClipboardMode_ClipDisabled:
5224 {
5225 LogRel(("VBoxSharedClipboard mode: Off\n"));
5226 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_OFF;
5227 break;
5228 }
5229 case ClipboardMode_ClipGuestToHost:
5230 {
5231 LogRel(("VBoxSharedClipboard mode: Guest to Host\n"));
5232 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_GUEST_TO_HOST;
5233 break;
5234 }
5235 case ClipboardMode_ClipHostToGuest:
5236 {
5237 LogRel(("VBoxSharedClipboard mode: Host to Guest\n"));
5238 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_HOST_TO_GUEST;
5239 break;
5240 }
5241 case ClipboardMode_ClipBidirectional:
5242 {
5243 LogRel(("VBoxSharedClipboard mode: Bidirectional\n"));
5244 parm.u.uint32 = VBOX_SHARED_CLIPBOARD_MODE_BIDIRECTIONAL;
5245 break;
5246 }
5247 }
5248
5249 pConsole->mVMMDev->hgcmHostCall ("VBoxSharedClipboard", VBOX_SHARED_CLIPBOARD_HOST_FN_SET_MODE, 1, &parm);
5250
5251 Log(("Set VBoxSharedClipboard mode\n"));
5252 }
5253 }
5254 }
5255
5256 /*
5257 * CFGM overlay handling.
5258 *
5259 * Here we check the extra data entries for CFGM values
5260 * and create the nodes and insert the values on the fly. Existing
5261 * values will be removed and reinserted. If a value is a valid number,
5262 * it will be inserted as a number, otherwise as a string.
5263 *
5264 * We first perform a run on global extra data, then on the machine
5265 * extra data to support global settings with local overrides.
5266 *
5267 */
5268 Bstr strExtraDataKey;
5269 bool fGlobalExtraData = true;
5270 for (;;)
5271 {
5272 Bstr strNextExtraDataKey;
5273 Bstr strExtraDataValue;
5274
5275 /* get the next key */
5276 if (fGlobalExtraData)
5277 hrc = virtualBox->GetNextExtraDataKey(strExtraDataKey, strNextExtraDataKey.asOutParam(),
5278 strExtraDataValue.asOutParam());
5279 else
5280 hrc = pMachine->GetNextExtraDataKey(strExtraDataKey, strNextExtraDataKey.asOutParam(),
5281 strExtraDataValue.asOutParam());
5282
5283 /* stop if for some reason there's nothing more to request */
5284 if (FAILED(hrc) || !strNextExtraDataKey)
5285 {
5286 /* if we're out of global keys, continue with machine, otherwise we're done */
5287 if (fGlobalExtraData)
5288 {
5289 fGlobalExtraData = false;
5290 strExtraDataKey.setNull();
5291 continue;
5292 }
5293 break;
5294 }
5295
5296 strExtraDataKey = strNextExtraDataKey;
5297 Utf8Str strExtraDataKeyUtf8 = Utf8Str(strExtraDataKey);
5298
5299 /* we only care about keys starting with "VBoxInternal/" */
5300 if (strncmp(strExtraDataKeyUtf8.raw(), "VBoxInternal/", 13) != 0)
5301 continue;
5302 char *pszExtraDataKey = (char*)strExtraDataKeyUtf8.raw() + 13;
5303
5304 /* the key will be in the format "Node1/Node2/Value" */
5305 char *pszCFGMValueName = strrchr(pszExtraDataKey, '/');
5306 if (!pszCFGMValueName)
5307 continue;
5308 /* terminate the node and advance to the value */
5309 *pszCFGMValueName = '\0';
5310 pszCFGMValueName++;
5311
5312 PCFGMNODE pNode;
5313 /* does the node already exist? */
5314 pNode = CFGMR3GetChild(pRoot, pszExtraDataKey);
5315 if (pNode)
5316 {
5317 /* the value might already exist, remove it to be safe */
5318 CFGMR3RemoveValue(pNode, pszCFGMValueName);
5319 }
5320 else
5321 {
5322 /* create the node */
5323 rc = CFGMR3InsertNode(pRoot, pszExtraDataKey, &pNode);
5324 AssertMsgRC(rc, ("failed to insert node '%s'\n", pszExtraDataKey));
5325 if (VBOX_FAILURE(rc) || !pNode)
5326 continue;
5327 }
5328 /* now let's have a look at the value */
5329 Utf8Str strCFGMValueUtf8 = Utf8Str(strExtraDataValue);
5330 const char *pszCFGMValue = strCFGMValueUtf8.raw();
5331 /* empty value means remove value which we've already done */
5332 if (pszCFGMValue && *pszCFGMValue)
5333 {
5334 /* if it's a valid number, we'll insert it as such, otherwise string */
5335 uint64_t u64Value;
5336 if (RTStrToUInt64Ex(pszCFGMValue, NULL, 0, &u64Value) == VINF_SUCCESS)
5337 {
5338 rc = CFGMR3InsertInteger(pNode, pszCFGMValueName, u64Value);
5339 }
5340 else
5341 {
5342 rc = CFGMR3InsertString(pNode, pszCFGMValueName, pszCFGMValue);
5343 }
5344 AssertMsgRC(rc, ("failed to insert CFGM value '%s' to key '%s'\n", pszCFGMValue, pszExtraDataKey));
5345 }
5346 }
5347
5348#undef H
5349#undef RC_CHECK
5350#undef STR_FREE
5351#undef STR_CONV
5352
5353 /* Register VM state change handler */
5354 int rc2 = VMR3AtStateRegister (pVM, Console::vmstateChangeCallback, pConsole);
5355 AssertRC (rc2);
5356 if (VBOX_SUCCESS (rc))
5357 rc = rc2;
5358
5359 /* Register VM runtime error handler */
5360 rc2 = VMR3AtRuntimeErrorRegister (pVM, Console::setVMRuntimeErrorCallback, pConsole);
5361 AssertRC (rc2);
5362 if (VBOX_SUCCESS (rc))
5363 rc = rc2;
5364
5365 /* Save the VM pointer in the machine object */
5366 pConsole->mpVM = pVM;
5367
5368 LogFlowFunc (("vrc = %Vrc\n", rc));
5369 LogFlowFuncLeave();
5370
5371 return rc;
5372}
5373
5374/**
5375 * Helper function to handle host interface device creation and attachment.
5376 *
5377 * @param networkAdapter the network adapter which attachment should be reset
5378 * @return COM status code
5379 *
5380 * @note The caller must lock this object for writing.
5381 */
5382HRESULT Console::attachToHostInterface(INetworkAdapter *networkAdapter)
5383{
5384 /* sanity check */
5385 AssertReturn (isLockedOnCurrentThread(), E_FAIL);
5386
5387#ifdef DEBUG
5388 /* paranoia */
5389 NetworkAttachmentType_T attachment;
5390 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5391 Assert(attachment == NetworkAttachmentType_HostInterfaceNetworkAttachment);
5392#endif /* DEBUG */
5393
5394 HRESULT rc = S_OK;
5395
5396#ifdef __LINUX__
5397 ULONG slot = 0;
5398 rc = networkAdapter->COMGETTER(Slot)(&slot);
5399 AssertComRC(rc);
5400
5401 /*
5402 * Try get the FD.
5403 */
5404 LONG ltapFD;
5405 rc = networkAdapter->COMGETTER(TAPFileDescriptor)(&ltapFD);
5406 if (SUCCEEDED(rc))
5407 maTapFD[slot] = (RTFILE)ltapFD;
5408 else
5409 maTapFD[slot] = NIL_RTFILE;
5410
5411 /*
5412 * Are we supposed to use an existing TAP interface?
5413 */
5414 if (maTapFD[slot] != NIL_RTFILE)
5415 {
5416 /* nothing to do */
5417 Assert(ltapFD >= 0);
5418 Assert((LONG)maTapFD[slot] == ltapFD);
5419 rc = S_OK;
5420 }
5421 else
5422#endif /* __LINUX */
5423 {
5424 /*
5425 * Allocate a host interface device
5426 */
5427#ifdef __WIN__
5428 /* nothing to do */
5429 int rcVBox = VINF_SUCCESS;
5430#elif defined(__LINUX__)
5431 int rcVBox = RTFileOpen(&maTapFD[slot], "/dev/net/tun",
5432 RTFILE_O_READWRITE | RTFILE_O_OPEN | RTFILE_O_DENY_NONE | RTFILE_O_INHERIT);
5433 if (VBOX_SUCCESS(rcVBox))
5434 {
5435 /*
5436 * Set/obtain the tap interface.
5437 */
5438 struct ifreq IfReq;
5439 memset(&IfReq, 0, sizeof(IfReq));
5440 Bstr tapDeviceName;
5441 rc = networkAdapter->COMGETTER(HostInterface)(tapDeviceName.asOutParam());
5442 if (FAILED(rc) || tapDeviceName.isEmpty())
5443 strcpy(IfReq.ifr_name, "tap%d");
5444 else
5445 {
5446 Utf8Str str(tapDeviceName);
5447 if (str.length() <= sizeof(IfReq.ifr_name))
5448 strcpy(IfReq.ifr_name, str.raw());
5449 else
5450 memcpy(IfReq.ifr_name, str.raw(), sizeof(IfReq.ifr_name) - 1); /** @todo bitch about names which are too long... */
5451 }
5452 IfReq.ifr_flags = IFF_TAP | IFF_NO_PI;
5453 rcVBox = ioctl(maTapFD[slot], TUNSETIFF, &IfReq);
5454 if (!rcVBox)
5455 {
5456 /*
5457 * Make it pollable.
5458 */
5459 if (fcntl(maTapFD[slot], F_SETFL, O_NONBLOCK) != -1)
5460 {
5461 tapDeviceName = IfReq.ifr_name;
5462 if (tapDeviceName)
5463 {
5464 Log(("attachToHostInterface: %RTfile %ls\n", maTapFD[slot], tapDeviceName.raw()));
5465
5466 /*
5467 * Here is the right place to communicate the TAP file descriptor and
5468 * the host interface name to the server if/when it becomes really
5469 * necessary.
5470 */
5471 maTAPDeviceName[slot] = tapDeviceName;
5472 rcVBox = VINF_SUCCESS;
5473 rc = S_OK;
5474 }
5475 else
5476 rcVBox = VERR_NO_MEMORY;
5477 }
5478 else
5479 {
5480 AssertMsgFailed(("Configuration error: Failed to configure /dev/net/tun non blocking. errno=%d\n", errno));
5481 rcVBox = VERR_HOSTIF_BLOCKING;
5482 rc = setError(E_FAIL, "Failed to set /dev/net/tun to non blocking. errno=%d\n", errno);
5483 }
5484 }
5485 else
5486 {
5487 AssertMsgFailed(("Configuration error: Failed to configure /dev/net/tun. errno=%d\n", errno));
5488 rcVBox = VERR_HOSTIF_IOCTL;
5489 rc = setError(E_FAIL, "Failed to configure /dev/net/tun. errno = %d\n", errno);
5490 }
5491 }
5492 else
5493 {
5494 AssertMsgFailed(("Configuration error: Failed to open /dev/net/tun rc=%Vrc\n", rcVBox));
5495 switch (rcVBox)
5496 {
5497 case VERR_ACCESS_DENIED:
5498 /* will be handled by our caller */
5499 LogRel(("HERE\n"));
5500 rc = rcVBox;
5501 break;
5502 default:
5503 rc = setError(E_FAIL, "Failed to open /dev/net/tun rc = %Vrc\n", rcVBox);
5504 break;
5505 }
5506 }
5507#elif
5508#error "Unknown host OS"
5509#endif
5510 /* in case of failure, cleanup. */
5511 if (VBOX_FAILURE(rcVBox) && SUCCEEDED(rc))
5512 {
5513 rc = setError(E_FAIL, tr ("General failure attaching to host interface"));
5514 }
5515 }
5516#ifdef __LINUX__
5517 if (SUCCEEDED(rc))
5518 {
5519 /*
5520 * Call the initialization program.
5521 *
5522 * The initialization program is passed the device name as the first param.
5523 * The second parameter is the decimal value of the file handle of the device
5524 * which it inherits.
5525 */
5526 Bstr tapSetupApplication;
5527 networkAdapter->COMGETTER(TAPSetupApplication)(tapSetupApplication.asOutParam());
5528 if (tapSetupApplication)
5529 {
5530 /*
5531 * Create the argument list.
5532 */
5533 const char *apszArgs[4];
5534 /* 0. The program name. */
5535 Utf8Str tapSetupApp(tapSetupApplication);
5536 apszArgs[0] = tapSetupApp.raw();
5537
5538 /* 1. The file descriptor. */
5539 char szFD[32];
5540 RTStrPrintf(szFD, sizeof(szFD), "%RTfile", maTapFD[slot]);
5541 apszArgs[1] = szFD;
5542
5543 /* 2. The device name (optional). */
5544 apszArgs[2] = maTAPDeviceName[slot].isEmpty() ? NULL : maTAPDeviceName[slot].raw();
5545
5546 /* 3. The end. */
5547 apszArgs[3] = NULL;
5548
5549 /*
5550 * Create the process and wait for it to complete.
5551 */
5552 RTPROCESS Process;
5553 int rcVBox = RTProcCreate(apszArgs[0], &apszArgs[0], NULL, 0, &Process);
5554 if (VBOX_SUCCESS(rcVBox))
5555 {
5556 /* wait for the process to exit */
5557 RTPROCSTATUS ProcStatus;
5558 rcVBox = RTProcWait(Process, RTPROCWAIT_FLAGS_BLOCK, &ProcStatus);
5559 AssertRC(rcVBox);
5560 if (VBOX_SUCCESS(rcVBox))
5561 {
5562 if ( ProcStatus.enmReason == RTPROCEXITREASON_NORMAL
5563 && ProcStatus.iStatus == 0)
5564 rcVBox = VINF_SUCCESS;
5565 else
5566 rcVBox = VMSetError(mpVM, VERR_HOSTIF_INIT_FAILED, RT_SRC_POS, N_("Failed to initialize Host Interface Networking"));
5567 }
5568 }
5569 else
5570 {
5571 AssertMsgFailed(("Configuration error: Failed to start init program \"%s\", rc=%Vra\n", tapSetupApp.raw(), rcVBox));
5572 rc = setError(E_FAIL, "Failed to start init program \"%s\", rc = %Vra\n", tapSetupApp.raw(), rcVBox);
5573 }
5574
5575 /* in case of failure, cleanup. */
5576 if (VBOX_FAILURE(rcVBox) && SUCCEEDED(rc))
5577 {
5578 rc = setError(E_FAIL, tr ("General failure configuring Host Interface Networking"));
5579 }
5580 }
5581 }
5582#endif /* __LINUX__ */
5583 return rc;
5584}
5585
5586/**
5587 * Helper function to handle detachment from a host interface
5588 *
5589 * @param networkAdapter the network adapter which attachment should be reset
5590 * @return COM status code
5591 *
5592 * @note The caller must lock this object for writing.
5593 */
5594HRESULT Console::detachFromHostInterface(INetworkAdapter *networkAdapter)
5595{
5596 /* sanity check */
5597 AssertReturn (isLockedOnCurrentThread(), E_FAIL);
5598
5599 HRESULT rc = S_OK;
5600#ifdef DEBUG
5601 /* paranoia */
5602 NetworkAttachmentType_T attachment;
5603 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5604 Assert(attachment == NetworkAttachmentType_HostInterfaceNetworkAttachment);
5605#endif /* DEBUG */
5606
5607#ifdef __LINUX__
5608
5609 ULONG slot = 0;
5610 rc = networkAdapter->COMGETTER(Slot)(&slot);
5611 AssertComRC(rc);
5612
5613 /* is there an open TAP device? */
5614 if (maTapFD[slot] != NIL_RTFILE)
5615 {
5616 /*
5617 * Execute term command and close the file handle.
5618 */
5619 Bstr tapTerminateApplication;
5620 networkAdapter->COMGETTER(TAPTerminateApplication)(tapTerminateApplication.asOutParam());
5621 if (tapTerminateApplication)
5622 {
5623 /*
5624 * Create the argument list
5625 */
5626 const char *apszArgs[4];
5627 /* 0. The program name. */
5628 Utf8Str tapTermAppUtf8(tapTerminateApplication);
5629 apszArgs[0] = tapTermAppUtf8.raw();
5630
5631 /* 1. The file descriptor. */
5632 char szFD[32];
5633 RTStrPrintf(szFD, sizeof(szFD), "%RTfile", maTapFD[slot]);
5634 apszArgs[1] = szFD;
5635
5636 /* 2. Device name (optional). */
5637 apszArgs[2] = maTAPDeviceName[slot].isEmpty() ? NULL : maTAPDeviceName[slot].raw();
5638
5639 /* 3. The end. */
5640 apszArgs[3] = NULL;
5641
5642 /*
5643 * Create the process and wait for it to complete.
5644 */
5645 RTPROCESS Process;
5646 int rcVBox = RTProcCreate(apszArgs[0], &apszArgs[0], NULL, 0, &Process);
5647 if (VBOX_SUCCESS(rcVBox))
5648 {
5649 /* wait for the process to exit */
5650 RTPROCSTATUS ProcStatus;
5651 rcVBox = RTProcWait(Process, RTPROCWAIT_FLAGS_BLOCK, &ProcStatus);
5652 AssertRC(rcVBox);
5653 /* ignore return code? */
5654 }
5655 else
5656 AssertMsgFailed(("Configuration error: Failed to start terminate program \"%s\", rc=%Vra\n", apszArgs[0], rcVBox)); /** @todo last error candidate. */
5657 if (VBOX_FAILURE(rcVBox))
5658 rc = E_FAIL;
5659 }
5660
5661 /*
5662 * Now we can close the file handle.
5663 */
5664 int rcVBox = RTFileClose(maTapFD[slot]);
5665 AssertRC(rcVBox);
5666 /* the TAP device name and handle are no longer valid */
5667 maTapFD[slot] = NIL_RTFILE;
5668 maTAPDeviceName[slot] = "";
5669 }
5670#endif
5671 return rc;
5672}
5673
5674
5675/**
5676 * Called at power down to terminate host interface networking.
5677 *
5678 * @note The caller must lock this object for writing.
5679 */
5680HRESULT Console::powerDownHostInterfaces()
5681{
5682 LogFlowThisFunc (("\n"));
5683
5684 /* sanity check */
5685 AssertReturn (isLockedOnCurrentThread(), E_FAIL);
5686
5687 /*
5688 * host interface termination handling
5689 */
5690 HRESULT rc;
5691 for (ULONG slot = 0; slot < SchemaDefs::NetworkAdapterCount; slot ++)
5692 {
5693 ComPtr<INetworkAdapter> networkAdapter;
5694 rc = mMachine->GetNetworkAdapter(slot, networkAdapter.asOutParam());
5695 CheckComRCBreakRC (rc);
5696
5697 BOOL enabled = FALSE;
5698 networkAdapter->COMGETTER(Enabled) (&enabled);
5699 if (!enabled)
5700 continue;
5701
5702 NetworkAttachmentType_T attachment;
5703 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5704 if (attachment == NetworkAttachmentType_HostInterfaceNetworkAttachment)
5705 {
5706 HRESULT rc2 = detachFromHostInterface(networkAdapter);
5707 if (FAILED(rc2) && SUCCEEDED(rc))
5708 rc = rc2;
5709 }
5710 }
5711
5712 return rc;
5713}
5714
5715
5716/**
5717 * Process callback handler for VMR3Load and VMR3Save.
5718 *
5719 * @param pVM The VM handle.
5720 * @param uPercent Completetion precentage (0-100).
5721 * @param pvUser Pointer to the VMProgressTask structure.
5722 * @return VINF_SUCCESS.
5723 */
5724/*static*/ DECLCALLBACK (int)
5725Console::stateProgressCallback (PVM pVM, unsigned uPercent, void *pvUser)
5726{
5727 VMProgressTask *task = static_cast <VMProgressTask *> (pvUser);
5728 AssertReturn (task, VERR_INVALID_PARAMETER);
5729
5730 /* update the progress object */
5731 if (task->mProgress)
5732 task->mProgress->notifyProgress (uPercent);
5733
5734 return VINF_SUCCESS;
5735}
5736
5737/**
5738 * VM error callback function. Called by the various VM components.
5739 *
5740 * @param pVM The VM handle. Can be NULL if an error occurred before
5741 * successfully creating a VM.
5742 * @param pvUser Pointer to the VMProgressTask structure.
5743 * @param rc VBox status code.
5744 * @param pszFormat The error message.
5745 * @thread EMT.
5746 */
5747/* static */ DECLCALLBACK (void)
5748Console::setVMErrorCallback (PVM pVM, void *pvUser, int rc, RT_SRC_POS_DECL,
5749 const char *pszFormat, va_list args)
5750{
5751 VMProgressTask *task = static_cast <VMProgressTask *> (pvUser);
5752 AssertReturnVoid (task);
5753
5754 /* we ignore RT_SRC_POS_DECL arguments to avoid confusion of end-users */
5755 HRESULT hrc = setError (E_FAIL, tr ("%N.\n"
5756 "VBox status code: %d (%Vrc)"),
5757 tr (pszFormat), &args,
5758 rc, rc);
5759 task->mProgress->notifyComplete (hrc);
5760}
5761
5762/**
5763 * VM runtime error callback function.
5764 * See VMSetRuntimeError for the detailed description of parameters.
5765 *
5766 * @param pVM The VM handle.
5767 * @param pvUser The user argument.
5768 * @param fFatal Whether it is a fatal error or not.
5769 * @param pszErrorID Error ID string.
5770 * @param pszFormat Error message format string.
5771 * @param args Error message arguments.
5772 * @thread EMT.
5773 */
5774/* static */ DECLCALLBACK(void)
5775Console::setVMRuntimeErrorCallback (PVM pVM, void *pvUser, bool fFatal,
5776 const char *pszErrorID,
5777 const char *pszFormat, va_list args)
5778{
5779 LogFlowFuncEnter();
5780
5781 Console *that = static_cast <Console *> (pvUser);
5782 AssertReturnVoid (that);
5783
5784 Utf8Str message = Utf8StrFmt (pszFormat, args);
5785
5786 LogRel (("Console: VM runtime error: fatal=%RTbool, "
5787 "errorID=%s message=\"%s\"\n",
5788 fFatal, pszErrorID, message.raw()));
5789
5790 that->onRuntimeError (BOOL (fFatal), Bstr (pszErrorID), Bstr (message));
5791
5792 LogFlowFuncLeave();
5793}
5794
5795/**
5796 * Captures and attaches USB devices to a newly created VM.
5797 *
5798 * @param pVM The VM handle.
5799 *
5800 * @note The caller must lock this object for writing.
5801 */
5802HRESULT Console::captureUSBDevices (PVM pVM)
5803{
5804 LogFlowThisFunc (("\n"));
5805
5806 /* sanity check */
5807 ComAssertRet (isLockedOnCurrentThread(), E_FAIL);
5808
5809 /*
5810 * If the machine has an USB controller, capture devices and attach
5811 * them to it.
5812 */
5813 PPDMIBASE pBase;
5814 int vrc = PDMR3QueryLun (pVM, "usb-ohci", 0, 0, &pBase);
5815 if (VBOX_SUCCESS (vrc))
5816 {
5817 PVUSBIRHCONFIG pRhConfig = (PVUSBIRHCONFIG) pBase->
5818 pfnQueryInterface (pBase, PDMINTERFACE_VUSB_RH_CONFIG);
5819 ComAssertRet (pRhConfig, E_FAIL);
5820
5821 /*
5822 * Get the list of USB devices that should be captured and attached to
5823 * the newly created machine.
5824 */
5825 ComPtr <IUSBDeviceCollection> coll;
5826 HRESULT hrc = mControl->AutoCaptureUSBDevices (coll.asOutParam());
5827 ComAssertComRCRetRC (hrc);
5828
5829 /*
5830 * Enumerate the devices and attach them.
5831 * Failing to attach an device is currently ignored and the device
5832 * released.
5833 */
5834 ComPtr <IUSBDeviceEnumerator> en;
5835 hrc = coll->Enumerate (en.asOutParam());
5836 ComAssertComRCRetRC (hrc);
5837
5838 BOOL hasMore = FALSE;
5839 while (SUCCEEDED (en->HasMore (&hasMore)) && hasMore)
5840 {
5841 ComPtr <IUSBDevice> hostDevice;
5842 hrc = en->GetNext (hostDevice.asOutParam());
5843 ComAssertComRCRetRC (hrc);
5844 ComAssertRet (!hostDevice.isNull(), E_FAIL);
5845
5846 hrc = attachUSBDevice (hostDevice, true /* aManual */, pRhConfig);
5847
5848 /// @todo (r=dmik) warning reporting subsystem
5849 }
5850 }
5851 else if ( vrc == VERR_PDM_DEVICE_NOT_FOUND
5852 || vrc == VERR_PDM_DEVICE_INSTANCE_NOT_FOUND)
5853 vrc = VINF_SUCCESS;
5854 else
5855 AssertRC (vrc);
5856
5857 return VBOX_SUCCESS (vrc) ? S_OK : E_FAIL;
5858}
5859
5860
5861/**
5862 * Releases all USB device which is attached to the VM for the
5863 * purpose of clean up and such like.
5864 *
5865 * @note The caller must lock this object for writing.
5866 */
5867void Console::releaseAllUSBDevices (void)
5868{
5869 LogFlowThisFunc (("\n"));
5870
5871 /* sanity check */
5872 AssertReturnVoid (isLockedOnCurrentThread());
5873
5874 mControl->ReleaseAllUSBDevices();
5875 mUSBDevices.clear();
5876}
5877
5878/**
5879 * @note Locks this object for writing.
5880 */
5881#ifdef VRDP_MC
5882void Console::processRemoteUSBDevices (uint32_t u32ClientId, VRDPUSBDEVICEDESC *pDevList, uint32_t cbDevList)
5883#else
5884void Console::processRemoteUSBDevices (VRDPUSBDEVICEDESC *pDevList, uint32_t cbDevList)
5885#endif /* VRDP_MC */
5886{
5887 LogFlowThisFuncEnter();
5888#ifdef VRDP_MC
5889 LogFlowThisFunc (("u32ClientId = %d, pDevList=%p, cbDevList = %d\n", u32ClientId, pDevList, cbDevList));
5890#else
5891 LogFlowThisFunc (("pDevList=%p, cbDevList = %d\n", pDevList, cbDevList));
5892#endif /* VRDP_MC */
5893
5894 AutoCaller autoCaller (this);
5895 if (!autoCaller.isOk())
5896 {
5897 /* Console has been already uninitialized, deny request */
5898 AssertMsgFailed (("Temporary assertion to prove that it happens, "
5899 "please report to dmik\n"));
5900 LogFlowThisFunc (("Console is already uninitialized\n"));
5901 LogFlowThisFuncLeave();
5902 return;
5903 }
5904
5905 AutoLock alock (this);
5906
5907 /*
5908 * Mark all existing remote USB devices as dirty.
5909 */
5910 RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
5911 while (it != mRemoteUSBDevices.end())
5912 {
5913 (*it)->dirty (true);
5914 ++ it;
5915 }
5916
5917 /*
5918 * Process the pDevList and add devices those are not already in the mRemoteUSBDevices list.
5919 */
5920 /** @todo (sunlover) REMOTE_USB Strict validation of the pDevList. */
5921 VRDPUSBDEVICEDESC *e = pDevList;
5922
5923 /* The cbDevList condition must be checked first, because the function can
5924 * receive pDevList = NULL and cbDevList = 0 on client disconnect.
5925 */
5926 while (cbDevList >= 2 && e->oNext)
5927 {
5928 LogFlowThisFunc (("vendor %04X, product %04X, name = %s\n",
5929 e->idVendor, e->idProduct,
5930 e->oProduct? (char *)e + e->oProduct: ""));
5931
5932 bool fNewDevice = true;
5933
5934 it = mRemoteUSBDevices.begin();
5935 while (it != mRemoteUSBDevices.end())
5936 {
5937#ifdef VRDP_MC
5938 if ((*it)->devId () == e->id
5939 && (*it)->clientId () == u32ClientId)
5940#else
5941 if ((*it)->devId () == e->id)
5942#endif /* VRDP_MC */
5943 {
5944 /* The device is already in the list. */
5945 (*it)->dirty (false);
5946 fNewDevice = false;
5947 break;
5948 }
5949
5950 ++ it;
5951 }
5952
5953 if (fNewDevice)
5954 {
5955 LogRel(("Remote USB: ++++ Vendor %04X. Product %04X. Name = [%s].\n",
5956 e->idVendor, e->idProduct, e->oProduct? (char *)e + e->oProduct: ""
5957 ));
5958
5959 /* Create the device object and add the new device to list. */
5960 ComObjPtr <RemoteUSBDevice> device;
5961 device.createObject();
5962#ifdef VRDP_MC
5963 device->init (u32ClientId, e);
5964#else
5965 device->init (e);
5966#endif /* VRDP_MC */
5967
5968 mRemoteUSBDevices.push_back (device);
5969
5970 /* Check if the device is ok for current USB filters. */
5971 BOOL fMatched = FALSE;
5972
5973 HRESULT hrc = mControl->RunUSBDeviceFilters(device, &fMatched);
5974
5975 AssertComRC (hrc);
5976
5977 LogFlowThisFunc (("USB filters return %d\n", fMatched));
5978
5979 if (fMatched)
5980 {
5981 hrc = onUSBDeviceAttach(device);
5982
5983 /// @todo (r=dmik) warning reporting subsystem
5984
5985 if (hrc == S_OK)
5986 {
5987 LogFlowThisFunc (("Device attached\n"));
5988 device->captured (true);
5989 }
5990 }
5991 }
5992
5993 if (cbDevList < e->oNext)
5994 {
5995 LogWarningThisFunc (("cbDevList %d > oNext %d\n",
5996 cbDevList, e->oNext));
5997 break;
5998 }
5999
6000 cbDevList -= e->oNext;
6001
6002 e = (VRDPUSBDEVICEDESC *)((uint8_t *)e + e->oNext);
6003 }
6004
6005 /*
6006 * Remove dirty devices, that is those which are not reported by the server anymore.
6007 */
6008 for (;;)
6009 {
6010 ComObjPtr <RemoteUSBDevice> device;
6011
6012 RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
6013 while (it != mRemoteUSBDevices.end())
6014 {
6015 if ((*it)->dirty ())
6016 {
6017 device = *it;
6018 break;
6019 }
6020
6021 ++ it;
6022 }
6023
6024 if (!device)
6025 {
6026 break;
6027 }
6028
6029 USHORT vendorId = 0;
6030 device->COMGETTER(VendorId) (&vendorId);
6031
6032 USHORT productId = 0;
6033 device->COMGETTER(ProductId) (&productId);
6034
6035 Bstr product;
6036 device->COMGETTER(Product) (product.asOutParam());
6037
6038 LogRel(("Remote USB: ---- Vendor %04X. Product %04X. Name = [%ls].\n",
6039 vendorId, productId, product.raw ()
6040 ));
6041
6042 /* Detach the device from VM. */
6043 if (device->captured ())
6044 {
6045 Guid uuid;
6046 device->COMGETTER (Id) (uuid.asOutParam());
6047 onUSBDeviceDetach (uuid);
6048 }
6049
6050 /* And remove it from the list. */
6051 mRemoteUSBDevices.erase (it);
6052 }
6053
6054 LogFlowThisFuncLeave();
6055}
6056
6057
6058
6059/**
6060 * Thread function which starts the VM (also from saved state) and
6061 * track progress.
6062 *
6063 * @param Thread The thread id.
6064 * @param pvUser Pointer to a VMPowerUpTask structure.
6065 * @return VINF_SUCCESS (ignored).
6066 *
6067 * @note Locks the Console object for writing.
6068 */
6069/*static*/
6070DECLCALLBACK (int) Console::powerUpThread (RTTHREAD Thread, void *pvUser)
6071{
6072 LogFlowFuncEnter();
6073
6074 std::auto_ptr <VMPowerUpTask> task (static_cast <VMPowerUpTask *> (pvUser));
6075 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
6076
6077 AssertReturn (!task->mConsole.isNull(), VERR_INVALID_PARAMETER);
6078 AssertReturn (!task->mProgress.isNull(), VERR_INVALID_PARAMETER);
6079
6080#if defined(__WIN__)
6081 {
6082 /* initialize COM */
6083 HRESULT hrc = CoInitializeEx (NULL,
6084 COINIT_MULTITHREADED | COINIT_DISABLE_OLE1DDE |
6085 COINIT_SPEED_OVER_MEMORY);
6086 LogFlowFunc (("CoInitializeEx()=%08X\n", hrc));
6087 }
6088#endif
6089
6090 HRESULT hrc = S_OK;
6091 int vrc = VINF_SUCCESS;
6092
6093 ComObjPtr <Console> console = task->mConsole;
6094
6095 /* Note: no need to use addCaller() because VMPowerUpTask does that */
6096
6097 AutoLock alock (console);
6098
6099 /* sanity */
6100 Assert (console->mpVM == NULL);
6101
6102 do
6103 {
6104 /*
6105 * Initialize the release logging facility. In case something
6106 * goes wrong, there will be no release logging. Maybe in the future
6107 * we can add some logic to use different file names in this case.
6108 * Note that the logic must be in sync with Machine::DeleteSettings().
6109 */
6110
6111 Bstr logFolder;
6112 hrc = console->mControl->GetLogFolder (logFolder.asOutParam());
6113 CheckComRCBreakRC (hrc);
6114
6115 Utf8Str logDir = logFolder;
6116
6117 /* make sure the Logs folder exists */
6118 Assert (!logDir.isEmpty());
6119 if (!RTDirExists (logDir))
6120 RTDirCreateFullPath (logDir, 0777);
6121
6122 Utf8Str logFile = Utf8StrFmt ("%s%cVBox.log",
6123 logDir.raw(), RTPATH_DELIMITER);
6124
6125 /*
6126 * Age the old log files
6127 * Rename .2 to .3, .1 to .2 and the last log file to .1
6128 * Overwrite target files in case they exist;
6129 */
6130 for (int i = 2; i >= 0; i--)
6131 {
6132 Utf8Str oldName;
6133 if (i > 0)
6134 oldName = Utf8StrFmt ("%s.%d", logFile.raw(), i);
6135 else
6136 oldName = logFile;
6137 Utf8Str newName = Utf8StrFmt ("%s.%d", logFile.raw(), i + 1);
6138 RTFileRename(oldName.raw(), newName.raw(), RTFILEMOVE_FLAGS_REPLACE);
6139 }
6140
6141 PRTLOGGER loggerRelease;
6142 static const char * const s_apszGroups[] = VBOX_LOGGROUP_NAMES;
6143 vrc = RTLogCreate(&loggerRelease, RTLOGFLAGS_PREFIX_TIME_PROG, "all",
6144 "VBOX_RELEASE_LOG", ELEMENTS(s_apszGroups), s_apszGroups,
6145 RTLOGDEST_FILE, logFile.raw());
6146 if (VBOX_SUCCESS(vrc))
6147 {
6148 /* some introductory information */
6149 RTTIMESPEC timeSpec;
6150 char nowUct[64];
6151 RTTimeSpecToString(RTTimeNow(&timeSpec), nowUct, sizeof(nowUct));
6152 RTLogRelLogger(loggerRelease, 0, ~0U,
6153 "VirtualBox %d.%d.%d (%s %s) release log\n"
6154 "Log opened %s\n",
6155 VBOX_VERSION_MAJOR, VBOX_VERSION_MINOR, VBOX_VERSION_BUILD,
6156 __DATE__, __TIME__,
6157 nowUct);
6158
6159 /* register this logger as the release logger */
6160 RTLogRelSetDefaultInstance(loggerRelease);
6161 }
6162 else
6163 {
6164 hrc = setError (E_FAIL,
6165 tr ("Failed to open release log file '%s' (%Vrc)"),
6166 logFile.raw(), vrc);
6167 break;
6168 }
6169
6170 /*
6171 * Create the VM
6172 */
6173 PVM pVM;
6174 /*
6175 * leave the lock since EMT will call Console. It's safe because
6176 * mMachineState is either Starting or Restoring state here.
6177 */
6178 alock.leave();
6179
6180 vrc = VMR3Create (task->mSetVMErrorCallback, task.get(),
6181 task->mConfigConstructor, task.get(),
6182 &pVM);
6183
6184 alock.enter();
6185
6186 if (VBOX_SUCCESS (vrc))
6187 {
6188 do
6189 {
6190 /*
6191 * Register our load/save state file handlers
6192 */
6193 vrc = SSMR3RegisterExternal (pVM,
6194 sSSMConsoleUnit, 0 /* iInstance */, sSSMConsoleVer,
6195 0 /* cbGuess */,
6196 NULL, saveStateFileExec, NULL, NULL, loadStateFileExec, NULL,
6197 static_cast <Console *> (console));
6198 AssertRC (vrc);
6199 if (VBOX_FAILURE (vrc))
6200 break;
6201
6202 /*
6203 * Synchronize debugger settings
6204 */
6205 MachineDebugger *machineDebugger = console->getMachineDebugger();
6206 if (machineDebugger)
6207 {
6208 machineDebugger->flushQueuedSettings();
6209 }
6210
6211 if (console->getVMMDev()->getShFlClientId())
6212 {
6213 /// @todo (dmik)
6214 // does the code below call Console from the other thread?
6215 // Not sure, so leave the lock just in case
6216 alock.leave();
6217
6218 /*
6219 * Shared Folders
6220 */
6221 for (std::map <Bstr, ComPtr <ISharedFolder> >::const_iterator
6222 it = task->mSharedFolders.begin();
6223 it != task->mSharedFolders.end();
6224 ++ it)
6225 {
6226 Bstr name = (*it).first;
6227 ComPtr <ISharedFolder> folder = (*it).second;
6228
6229 Bstr hostPath;
6230 hrc = folder->COMGETTER(HostPath) (hostPath.asOutParam());
6231 CheckComRCBreakRC (hrc);
6232
6233 LogFlowFunc (("Adding shared folder '%ls' -> '%ls'\n",
6234 name.raw(), hostPath.raw()));
6235 ComAssertBreak (!name.isEmpty() && !hostPath.isEmpty(),
6236 hrc = E_FAIL);
6237
6238 /** @todo should move this into the shared folder class */
6239 VBOXHGCMSVCPARM parms[2];
6240 SHFLSTRING *pFolderName, *pMapName;
6241 int cbString;
6242
6243 cbString = (hostPath.length() + 1) * sizeof(RTUCS2);
6244 pFolderName = (SHFLSTRING *)RTMemAllocZ(sizeof(SHFLSTRING) + cbString);
6245 Assert(pFolderName);
6246 memcpy(pFolderName->String.ucs2, hostPath.raw(), cbString);
6247
6248 pFolderName->u16Size = cbString;
6249 pFolderName->u16Length = cbString - sizeof(RTUCS2);
6250
6251 parms[0].type = VBOX_HGCM_SVC_PARM_PTR;
6252 parms[0].u.pointer.addr = pFolderName;
6253 parms[0].u.pointer.size = sizeof(SHFLSTRING) + cbString;
6254
6255 cbString = (name.length() + 1) * sizeof(RTUCS2);
6256 pMapName = (SHFLSTRING *)RTMemAllocZ(sizeof(SHFLSTRING) + cbString);
6257 Assert(pMapName);
6258 memcpy(pMapName->String.ucs2, name.raw(), cbString);
6259
6260 pMapName->u16Size = cbString;
6261 pMapName->u16Length = cbString - sizeof(RTUCS2);
6262
6263 parms[1].type = VBOX_HGCM_SVC_PARM_PTR;
6264 parms[1].u.pointer.addr = pMapName;
6265 parms[1].u.pointer.size = sizeof(SHFLSTRING) + cbString;
6266
6267 vrc = console->getVMMDev()->hgcmHostCall("VBoxSharedFolders",
6268 SHFL_FN_ADD_MAPPING, 2, &parms[0]);
6269
6270 RTMemFree(pFolderName);
6271 RTMemFree(pMapName);
6272
6273 if (VBOX_FAILURE (vrc))
6274 {
6275 hrc = setError (E_FAIL,
6276 tr ("Unable to add mapping '%ls' to '%ls' (%Vrc)"),
6277 hostPath.raw(), name.raw(), vrc);
6278 break;
6279 }
6280 }
6281
6282 /* enter the lock again */
6283 alock.enter();
6284
6285 CheckComRCBreakRC (hrc);
6286 }
6287
6288 /*
6289 * Capture USB devices.
6290 */
6291 hrc = console->captureUSBDevices (pVM);
6292 CheckComRCBreakRC (hrc);
6293
6294 /* leave the lock before a lengthy operation */
6295 alock.leave();
6296
6297 /* Load saved state? */
6298 if (!!task->mSavedStateFile)
6299 {
6300 LogFlowFunc (("Restoring saved state from '%s'...\n",
6301 task->mSavedStateFile.raw()));
6302
6303 vrc = VMR3Load (pVM, task->mSavedStateFile,
6304 Console::stateProgressCallback,
6305 static_cast <VMProgressTask *> (task.get()));
6306
6307 /* Start/Resume the VM execution */
6308 if (VBOX_SUCCESS (vrc))
6309 {
6310 vrc = VMR3Resume (pVM);
6311 AssertRC (vrc);
6312 }
6313
6314 /* Power off in case we failed loading or resuming the VM */
6315 if (VBOX_FAILURE (vrc))
6316 {
6317 int vrc2 = VMR3PowerOff (pVM);
6318 AssertRC (vrc2);
6319 }
6320 }
6321 else
6322 {
6323 /* Power on the VM (i.e. start executing) */
6324 vrc = VMR3PowerOn(pVM);
6325 AssertRC (vrc);
6326 }
6327
6328 /* enter the lock again */
6329 alock.enter();
6330 }
6331 while (0);
6332
6333#ifdef VBOX_VRDP
6334 if ((!FAILED (hrc)) && VBOX_SUCCESS (vrc))
6335 {
6336 /* Start the VRDP server after the VM is started. */
6337 ConsoleVRDPServer *server = console->consoleVRDPServer();
6338 Assert (server);
6339 /// @todo (dmik)
6340 // does VRDP server call Console from the other thread?
6341 // Not sure, so leave the lock just in case
6342 alock.leave();
6343 vrc = server->Launch();
6344 alock.enter();
6345 if (VBOX_FAILURE (vrc))
6346 {
6347 Utf8Str errMsg;
6348 switch (vrc)
6349 {
6350 case VERR_NET_ADDRESS_IN_USE:
6351 {
6352 ULONG port = 0;
6353 console->mVRDPServer->COMGETTER(Port) (&port);
6354 errMsg = Utf8StrFmt (tr ("VRDP server port %d is already in use"),
6355 port);
6356 break;
6357 }
6358 default:
6359 errMsg = Utf8StrFmt (tr ("Failed to launch VRDP server (%Vrc)"),
6360 vrc);
6361 }
6362 LogRel (("Failed to launch VRDP server (%Vrc), error message: '%s'\n",
6363 vrc, errMsg.raw()));
6364 hrc = setError (E_FAIL, errMsg);
6365 }
6366 }
6367#endif /* VBOX_VRDP */
6368
6369 /* On failure, destroy the VM */
6370 if (FAILED (hrc) || VBOX_FAILURE (vrc))
6371 {
6372 /* preserve the current error info */
6373 ErrorInfo ei;
6374
6375 /*
6376 * powerDown() will call VMR3Destroy() and do all necessary
6377 * cleanup (VRDP, USB devices)
6378 */
6379 HRESULT hrc2 = console->powerDown();
6380 AssertComRC (hrc2);
6381
6382 setError (ei);
6383 }
6384 }
6385 else
6386 {
6387 /*
6388 * If VMR3Create() failed it has released the VM memory.
6389 */
6390 console->mpVM = NULL;
6391 }
6392
6393 if (SUCCEEDED (hrc) && VBOX_FAILURE (vrc))
6394 {
6395 /*
6396 * If VMR3Create() or one of the other calls in this function fail,
6397 * an appropriate error message has been already set. However since
6398 * that happens via a callback, the status code in this function is
6399 * not updated.
6400 */
6401 if (!task->mProgress->completed())
6402 {
6403 /*
6404 * If the COM error info is not yet set but we've got a
6405 * failure, convert the VBox status code into a meaningful
6406 * error message. This becomes unused once all the sources of
6407 * errors set the appropriate error message themselves.
6408 * Note that we don't use VMSetError() below because pVM is
6409 * either invalid or NULL here.
6410 */
6411 AssertMsgFailed (("Missing error message during powerup for "
6412 "status code %Vrc\n", vrc));
6413 hrc = setError (E_FAIL,
6414 tr ("Failed to start VM execution (%Vrc)"), vrc);
6415 }
6416 else
6417 hrc = task->mProgress->resultCode();
6418
6419 Assert (FAILED (hrc));
6420 break;
6421 }
6422 }
6423 while (0);
6424
6425 if (console->mMachineState == MachineState_Starting ||
6426 console->mMachineState == MachineState_Restoring)
6427 {
6428 /*
6429 * We are still in the Starting/Restoring state. This means one of:
6430 * 1) we failed before VMR3Create() was called;
6431 * 2) VMR3Create() failed.
6432 * In both cases, there is no need to call powerDown(), but we still
6433 * need to go back to the PoweredOff/Saved state. Reuse
6434 * vmstateChangeCallback() for that purpose.
6435 */
6436
6437 /* preserve the current error info */
6438 ErrorInfo ei;
6439
6440 Assert (console->mpVM == NULL);
6441 vmstateChangeCallback (NULL, VMSTATE_TERMINATED, VMSTATE_CREATING,
6442 console);
6443 setError (ei);
6444 }
6445
6446 /*
6447 * Evaluate the final result.
6448 * Note that the appropriate mMachineState value is already set by
6449 * vmstateChangeCallback() in all cases.
6450 */
6451
6452 /* leave the lock, don't need it any more */
6453 alock.leave();
6454
6455 if (SUCCEEDED (hrc))
6456 {
6457 /* Notify the progress object of the success */
6458 task->mProgress->notifyComplete (S_OK);
6459 }
6460 else
6461 {
6462 if (!task->mProgress->completed())
6463 {
6464 /* The progress object will fetch the current error info. This
6465 * gets the errors signalled by using setError(). The ones
6466 * signalled via VMSetError() immediately notify the progress
6467 * object that the operation is completed. */
6468 task->mProgress->notifyComplete (hrc);
6469 }
6470
6471 LogRel (("Power up failed (vrc=%Vrc, hrc=0x%08X)\n", vrc, hrc));
6472 }
6473
6474#if defined(__WIN__)
6475 /* uninitialize COM */
6476 CoUninitialize();
6477#endif
6478
6479 LogFlowFuncLeave();
6480
6481 return VINF_SUCCESS;
6482}
6483
6484
6485/**
6486 * Reconfigures a VDI.
6487 *
6488 * @param pVM The VM handle.
6489 * @param hda The harddisk attachment.
6490 * @param phrc Where to store com error - only valid if we return VERR_GENERAL_FAILURE.
6491 * @return VBox status code.
6492 */
6493static DECLCALLBACK(int) reconfigureVDI(PVM pVM, IHardDiskAttachment *hda, HRESULT *phrc)
6494{
6495 LogFlowFunc (("pVM=%p hda=%p phrc=%p\n", pVM, hda, phrc));
6496
6497 int rc;
6498 HRESULT hrc;
6499 char *psz = NULL;
6500 BSTR str = NULL;
6501 *phrc = S_OK;
6502#define STR_CONV() do { rc = RTStrUcs2ToUtf8(&psz, str); RC_CHECK(); } while (0)
6503#define STR_FREE() do { if (str) { SysFreeString(str); str = NULL; } if (psz) { RTStrFree(psz); psz = NULL; } } while (0)
6504#define RC_CHECK() do { if (VBOX_FAILURE(rc)) { AssertMsgFailed(("rc=%Vrc\n", rc)); STR_FREE(); return rc; } } while (0)
6505#define H() do { if (FAILED(hrc)) { AssertMsgFailed(("hrc=%#x\n", hrc)); STR_FREE(); *phrc = hrc; return VERR_GENERAL_FAILURE; } } while (0)
6506
6507 /*
6508 * Figure out which IDE device this is.
6509 */
6510 ComPtr<IHardDisk> hardDisk;
6511 hrc = hda->COMGETTER(HardDisk)(hardDisk.asOutParam()); H();
6512 DiskControllerType_T enmCtl;
6513 hrc = hda->COMGETTER(Controller)(&enmCtl); H();
6514 LONG lDev;
6515 hrc = hda->COMGETTER(DeviceNumber)(&lDev); H();
6516
6517 int i;
6518 switch (enmCtl)
6519 {
6520 case DiskControllerType_IDE0Controller:
6521 i = 0;
6522 break;
6523 case DiskControllerType_IDE1Controller:
6524 i = 2;
6525 break;
6526 default:
6527 AssertMsgFailed(("invalid disk controller type: %d\n", enmCtl));
6528 return VERR_GENERAL_FAILURE;
6529 }
6530
6531 if (lDev < 0 || lDev >= 2)
6532 {
6533 AssertMsgFailed(("invalid controller device number: %d\n", lDev));
6534 return VERR_GENERAL_FAILURE;
6535 }
6536
6537 i = i + lDev;
6538
6539 /*
6540 * Is there an existing LUN? If not create it.
6541 * We ASSUME that this will NEVER collide with the DVD.
6542 */
6543 PCFGMNODE pCfg;
6544 PCFGMNODE pLunL1 = CFGMR3GetChildF(CFGMR3GetRoot(pVM), "Devices/piix3ide/0/LUN#%d/AttachedDriver/", i);
6545 if (!pLunL1)
6546 {
6547 PCFGMNODE pInst = CFGMR3GetChild(CFGMR3GetRoot(pVM), "Devices/piix3ide/0/");
6548 AssertReturn(pInst, VERR_INTERNAL_ERROR);
6549
6550 PCFGMNODE pLunL0;
6551 rc = CFGMR3InsertNodeF(pInst, &pLunL0, "LUN#%d", i); RC_CHECK();
6552 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
6553 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
6554 rc = CFGMR3InsertString(pCfg, "Type", "HardDisk"); RC_CHECK();
6555 rc = CFGMR3InsertInteger(pCfg, "Mountable", 0); RC_CHECK();
6556
6557 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
6558 rc = CFGMR3InsertString(pLunL1, "Driver", "VBoxHDD"); RC_CHECK();
6559 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
6560 }
6561 else
6562 {
6563#ifdef VBOX_STRICT
6564 char *pszDriver;
6565 rc = CFGMR3QueryStringAlloc(pLunL1, "Driver", &pszDriver); RC_CHECK();
6566 Assert(!strcmp(pszDriver, "VBoxHDD"));
6567 MMR3HeapFree(pszDriver);
6568#endif
6569
6570 /*
6571 * Check if things has changed.
6572 */
6573 pCfg = CFGMR3GetChild(pLunL1, "Config");
6574 AssertReturn(pCfg, VERR_INTERNAL_ERROR);
6575
6576 /* the image */
6577 /// @todo (dmik) we temporarily use the location property to
6578 // determine the image file name. This is subject to change
6579 // when iSCSI disks are here (we should either query a
6580 // storage-specific interface from IHardDisk, or "standardize"
6581 // the location property)
6582 hrc = hardDisk->COMGETTER(Location)(&str); H();
6583 STR_CONV();
6584 char *pszPath;
6585 rc = CFGMR3QueryStringAlloc(pCfg, "Path", &pszPath); RC_CHECK();
6586 if (!strcmp(psz, pszPath))
6587 {
6588 /* parent images. */
6589 ComPtr<IHardDisk> parentHardDisk = hardDisk;
6590 for (PCFGMNODE pParent = pCfg;;)
6591 {
6592 MMR3HeapFree(pszPath);
6593 pszPath = NULL;
6594 STR_FREE();
6595
6596 /* get parent */
6597 ComPtr<IHardDisk> curHardDisk;
6598 hrc = parentHardDisk->COMGETTER(Parent)(curHardDisk.asOutParam()); H();
6599 PCFGMNODE pCur;
6600 pCur = CFGMR3GetChild(pParent, "Parent");
6601 if (!pCur && !curHardDisk)
6602 {
6603 /* no change */
6604 LogFlowFunc (("No change!\n"));
6605 return VINF_SUCCESS;
6606 }
6607 if (!pCur || !curHardDisk)
6608 break;
6609
6610 /* compare paths. */
6611 /// @todo (dmik) we temporarily use the location property to
6612 // determine the image file name. This is subject to change
6613 // when iSCSI disks are here (we should either query a
6614 // storage-specific interface from IHardDisk, or "standardize"
6615 // the location property)
6616 hrc = curHardDisk->COMGETTER(Location)(&str); H();
6617 STR_CONV();
6618 rc = CFGMR3QueryStringAlloc(pCfg, "Path", &pszPath); RC_CHECK();
6619 if (strcmp(psz, pszPath))
6620 break;
6621
6622 /* next */
6623 pParent = pCur;
6624 parentHardDisk = curHardDisk;
6625 }
6626
6627 }
6628 else
6629 LogFlowFunc (("LUN#%d: old leaf image '%s'\n", i, pszPath));
6630
6631 MMR3HeapFree(pszPath);
6632 STR_FREE();
6633
6634 /*
6635 * Detach the driver and replace the config node.
6636 */
6637 rc = PDMR3DeviceDetach(pVM, "piix3ide", 0, i); RC_CHECK();
6638 CFGMR3RemoveNode(pCfg);
6639 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
6640 }
6641
6642 /*
6643 * Create the driver configuration.
6644 */
6645 /// @todo (dmik) we temporarily use the location property to
6646 // determine the image file name. This is subject to change
6647 // when iSCSI disks are here (we should either query a
6648 // storage-specific interface from IHardDisk, or "standardize"
6649 // the location property)
6650 hrc = hardDisk->COMGETTER(Location)(&str); H();
6651 STR_CONV();
6652 LogFlowFunc (("LUN#%d: leaf image '%s'\n", i, psz));
6653 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
6654 STR_FREE();
6655 /* Create an inversed tree of parents. */
6656 ComPtr<IHardDisk> parentHardDisk = hardDisk;
6657 for (PCFGMNODE pParent = pCfg;;)
6658 {
6659 ComPtr<IHardDisk> curHardDisk;
6660 hrc = parentHardDisk->COMGETTER(Parent)(curHardDisk.asOutParam()); H();
6661 if (!curHardDisk)
6662 break;
6663
6664 PCFGMNODE pCur;
6665 rc = CFGMR3InsertNode(pParent, "Parent", &pCur); RC_CHECK();
6666 /// @todo (dmik) we temporarily use the location property to
6667 // determine the image file name. This is subject to change
6668 // when iSCSI disks are here (we should either query a
6669 // storage-specific interface from IHardDisk, or "standardize"
6670 // the location property)
6671 hrc = curHardDisk->COMGETTER(Location)(&str); H();
6672 STR_CONV();
6673 rc = CFGMR3InsertString(pCur, "Path", psz); RC_CHECK();
6674 STR_FREE();
6675
6676 /* next */
6677 pParent = pCur;
6678 parentHardDisk = curHardDisk;
6679 }
6680
6681 /*
6682 * Attach the new driver.
6683 */
6684 rc = PDMR3DeviceAttach(pVM, "piix3ide", 0, i, NULL); RC_CHECK();
6685
6686 LogFlowFunc (("Returns success\n"));
6687 return rc;
6688}
6689
6690
6691/**
6692 * Thread for executing the saved state operation.
6693 *
6694 * @param Thread The thread handle.
6695 * @param pvUser Pointer to a VMSaveTask structure.
6696 * @return VINF_SUCCESS (ignored).
6697 *
6698 * @note Locks the Console object for writing.
6699 */
6700/*static*/
6701DECLCALLBACK (int) Console::saveStateThread (RTTHREAD Thread, void *pvUser)
6702{
6703 LogFlowFuncEnter();
6704
6705 std::auto_ptr <VMSaveTask> task (static_cast <VMSaveTask *> (pvUser));
6706 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
6707
6708 Assert (!task->mSavedStateFile.isNull());
6709 Assert (!task->mProgress.isNull());
6710
6711 const ComObjPtr <Console> &that = task->mConsole;
6712
6713 /*
6714 * Note: no need to use addCaller() to protect Console or addVMCaller() to
6715 * protect mpVM because VMSaveTask does that
6716 */
6717
6718 Utf8Str errMsg;
6719 HRESULT rc = S_OK;
6720
6721 if (task->mIsSnapshot)
6722 {
6723 Assert (!task->mServerProgress.isNull());
6724 LogFlowFunc (("Waiting until the server creates differencing VDIs...\n"));
6725
6726 rc = task->mServerProgress->WaitForCompletion (-1);
6727 if (SUCCEEDED (rc))
6728 {
6729 HRESULT result = S_OK;
6730 rc = task->mServerProgress->COMGETTER(ResultCode) (&result);
6731 if (SUCCEEDED (rc))
6732 rc = result;
6733 }
6734 }
6735
6736 if (SUCCEEDED (rc))
6737 {
6738 LogFlowFunc (("Saving the state to '%s'...\n", task->mSavedStateFile.raw()));
6739
6740 int vrc = VMR3Save (that->mpVM, task->mSavedStateFile,
6741 Console::stateProgressCallback,
6742 static_cast <VMProgressTask *> (task.get()));
6743 if (VBOX_FAILURE (vrc))
6744 {
6745 errMsg = Utf8StrFmt (
6746 Console::tr ("Failed to save the machine state to '%s' (%Vrc)"),
6747 task->mSavedStateFile.raw(), vrc);
6748 rc = E_FAIL;
6749 }
6750 }
6751
6752 /* lock the console sonce we're going to access it */
6753 AutoLock thatLock (that);
6754
6755 if (SUCCEEDED (rc))
6756 {
6757 if (task->mIsSnapshot)
6758 do
6759 {
6760 LogFlowFunc (("Reattaching new differencing VDIs...\n"));
6761
6762 ComPtr <IHardDiskAttachmentCollection> hdaColl;
6763 rc = that->mMachine->COMGETTER(HardDiskAttachments) (hdaColl.asOutParam());
6764 if (FAILED (rc))
6765 break;
6766 ComPtr <IHardDiskAttachmentEnumerator> hdaEn;
6767 rc = hdaColl->Enumerate (hdaEn.asOutParam());
6768 if (FAILED (rc))
6769 break;
6770 BOOL more = FALSE;
6771 while (SUCCEEDED (rc = hdaEn->HasMore (&more)) && more)
6772 {
6773 ComPtr <IHardDiskAttachment> hda;
6774 rc = hdaEn->GetNext (hda.asOutParam());
6775 if (FAILED (rc))
6776 break;
6777
6778 PVMREQ pReq;
6779 IHardDiskAttachment *pHda = hda;
6780 /*
6781 * don't leave the lock since reconfigureVDI isn't going to
6782 * access Console.
6783 */
6784 int vrc = VMR3ReqCall (that->mpVM, &pReq, RT_INDEFINITE_WAIT,
6785 (PFNRT)reconfigureVDI, 3, that->mpVM,
6786 pHda, &rc);
6787 if (VBOX_SUCCESS (rc))
6788 rc = pReq->iStatus;
6789 VMR3ReqFree (pReq);
6790 if (FAILED (rc))
6791 break;
6792 if (VBOX_FAILURE (vrc))
6793 {
6794 errMsg = Utf8StrFmt (Console::tr ("%Vrc"), vrc);
6795 rc = E_FAIL;
6796 break;
6797 }
6798 }
6799 }
6800 while (0);
6801 }
6802
6803 /* finalize the procedure regardless of the result */
6804 if (task->mIsSnapshot)
6805 {
6806 /*
6807 * finalize the requested snapshot object.
6808 * This will reset the machine state to the state it had right
6809 * before calling mControl->BeginTakingSnapshot().
6810 */
6811 that->mControl->EndTakingSnapshot (SUCCEEDED (rc));
6812 }
6813 else
6814 {
6815 /*
6816 * finalize the requested save state procedure.
6817 * In case of success, the server will set the machine state to Saved;
6818 * in case of failure it will reset the it to the state it had right
6819 * before calling mControl->BeginSavingState().
6820 */
6821 that->mControl->EndSavingState (SUCCEEDED (rc));
6822 }
6823
6824 /* synchronize the state with the server */
6825 if (task->mIsSnapshot || FAILED (rc))
6826 {
6827 if (task->mLastMachineState == MachineState_Running)
6828 {
6829 /* restore the paused state if appropriate */
6830 that->setMachineStateLocally (MachineState_Paused);
6831 /* restore the running state if appropriate */
6832 that->Resume();
6833 }
6834 else
6835 that->setMachineStateLocally (task->mLastMachineState);
6836 }
6837 else
6838 {
6839 /*
6840 * The machine has been successfully saved, so power it down
6841 * (vmstateChangeCallback() will set state to Saved on success).
6842 * Note: we release the task's VM caller, otherwise it will
6843 * deadlock.
6844 */
6845 task->releaseVMCaller();
6846
6847 rc = that->powerDown();
6848 }
6849
6850 /* notify the progress object about operation completion */
6851 if (SUCCEEDED (rc))
6852 task->mProgress->notifyComplete (S_OK);
6853 else
6854 {
6855 if (!errMsg.isNull())
6856 task->mProgress->notifyComplete (rc,
6857 COM_IIDOF(IConsole), Console::getComponentName(), errMsg);
6858 else
6859 task->mProgress->notifyComplete (rc);
6860 }
6861
6862 LogFlowFuncLeave();
6863 return VINF_SUCCESS;
6864}
6865
6866/**
6867 * Thread for powering down the Console.
6868 *
6869 * @param Thread The thread handle.
6870 * @param pvUser Pointer to the VMTask structure.
6871 * @return VINF_SUCCESS (ignored).
6872 *
6873 * @note Locks the Console object for writing.
6874 */
6875/*static*/
6876DECLCALLBACK (int) Console::powerDownThread (RTTHREAD Thread, void *pvUser)
6877{
6878 LogFlowFuncEnter();
6879
6880 std::auto_ptr <VMTask> task (static_cast <VMTask *> (pvUser));
6881 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
6882
6883 AssertReturn (task->isOk(), VERR_GENERAL_FAILURE);
6884
6885 const ComObjPtr <Console> &that = task->mConsole;
6886
6887 /*
6888 * Note: no need to use addCaller() to protect Console
6889 * because VMTask does that
6890 */
6891
6892 /* release VM caller to let powerDown() proceed */
6893 task->releaseVMCaller();
6894
6895 HRESULT rc = that->powerDown();
6896 AssertComRC (rc);
6897
6898 LogFlowFuncLeave();
6899 return VINF_SUCCESS;
6900}
6901
6902/**
6903 * The Main status driver instance data.
6904 */
6905typedef struct DRVMAINSTATUS
6906{
6907 /** The LED connectors. */
6908 PDMILEDCONNECTORS ILedConnectors;
6909 /** Pointer to the LED ports interface above us. */
6910 PPDMILEDPORTS pLedPorts;
6911 /** Pointer to the array of LED pointers. */
6912 PPDMLED *papLeds;
6913 /** The unit number corresponding to the first entry in the LED array. */
6914 RTUINT iFirstLUN;
6915 /** The unit number corresponding to the last entry in the LED array.
6916 * (The size of the LED array is iLastLUN - iFirstLUN + 1.) */
6917 RTUINT iLastLUN;
6918} DRVMAINSTATUS, *PDRVMAINSTATUS;
6919
6920
6921/**
6922 * Notification about a unit which have been changed.
6923 *
6924 * The driver must discard any pointers to data owned by
6925 * the unit and requery it.
6926 *
6927 * @param pInterface Pointer to the interface structure containing the called function pointer.
6928 * @param iLUN The unit number.
6929 */
6930DECLCALLBACK(void) Console::drvStatus_UnitChanged(PPDMILEDCONNECTORS pInterface, unsigned iLUN)
6931{
6932 PDRVMAINSTATUS pData = (PDRVMAINSTATUS)(void *)pInterface;
6933 if (iLUN >= pData->iFirstLUN && iLUN <= pData->iLastLUN)
6934 {
6935 PPDMLED pLed;
6936 int rc = pData->pLedPorts->pfnQueryStatusLed(pData->pLedPorts, iLUN, &pLed);
6937 if (VBOX_FAILURE(rc))
6938 pLed = NULL;
6939 ASMAtomicXchgPtr((void * volatile *)&pData->papLeds[iLUN - pData->iFirstLUN], pLed);
6940 Log(("drvStatus_UnitChanged: iLUN=%d pLed=%p\n", iLUN, pLed));
6941 }
6942}
6943
6944
6945/**
6946 * Queries an interface to the driver.
6947 *
6948 * @returns Pointer to interface.
6949 * @returns NULL if the interface was not supported by the driver.
6950 * @param pInterface Pointer to this interface structure.
6951 * @param enmInterface The requested interface identification.
6952 */
6953DECLCALLBACK(void *) Console::drvStatus_QueryInterface(PPDMIBASE pInterface, PDMINTERFACE enmInterface)
6954{
6955 PPDMDRVINS pDrvIns = PDMIBASE_2_PDMDRV(pInterface);
6956 PDRVMAINSTATUS pDrv = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
6957 switch (enmInterface)
6958 {
6959 case PDMINTERFACE_BASE:
6960 return &pDrvIns->IBase;
6961 case PDMINTERFACE_LED_CONNECTORS:
6962 return &pDrv->ILedConnectors;
6963 default:
6964 return NULL;
6965 }
6966}
6967
6968
6969/**
6970 * Destruct a status driver instance.
6971 *
6972 * @returns VBox status.
6973 * @param pDrvIns The driver instance data.
6974 */
6975DECLCALLBACK(void) Console::drvStatus_Destruct(PPDMDRVINS pDrvIns)
6976{
6977 PDRVMAINSTATUS pData = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
6978 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
6979 if (pData->papLeds)
6980 {
6981 unsigned iLed = pData->iLastLUN - pData->iFirstLUN + 1;
6982 while (iLed-- > 0)
6983 ASMAtomicXchgPtr((void * volatile *)&pData->papLeds[iLed], NULL);
6984 }
6985}
6986
6987
6988/**
6989 * Construct a status driver instance.
6990 *
6991 * @returns VBox status.
6992 * @param pDrvIns The driver instance data.
6993 * If the registration structure is needed, pDrvIns->pDrvReg points to it.
6994 * @param pCfgHandle Configuration node handle for the driver. Use this to obtain the configuration
6995 * of the driver instance. It's also found in pDrvIns->pCfgHandle, but like
6996 * iInstance it's expected to be used a bit in this function.
6997 */
6998DECLCALLBACK(int) Console::drvStatus_Construct(PPDMDRVINS pDrvIns, PCFGMNODE pCfgHandle)
6999{
7000 PDRVMAINSTATUS pData = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
7001 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
7002
7003 /*
7004 * Validate configuration.
7005 */
7006 if (!CFGMR3AreValuesValid(pCfgHandle, "papLeds\0First\0Last\0"))
7007 return VERR_PDM_DRVINS_UNKNOWN_CFG_VALUES;
7008 PPDMIBASE pBaseIgnore;
7009 int rc = pDrvIns->pDrvHlp->pfnAttach(pDrvIns, &pBaseIgnore);
7010 if (rc != VERR_PDM_NO_ATTACHED_DRIVER)
7011 {
7012 AssertMsgFailed(("Configuration error: Not possible to attach anything to this driver!\n"));
7013 return VERR_PDM_DRVINS_NO_ATTACH;
7014 }
7015
7016 /*
7017 * Data.
7018 */
7019 pDrvIns->IBase.pfnQueryInterface = Console::drvStatus_QueryInterface;
7020 pData->ILedConnectors.pfnUnitChanged = Console::drvStatus_UnitChanged;
7021
7022 /*
7023 * Read config.
7024 */
7025 rc = CFGMR3QueryPtr(pCfgHandle, "papLeds", (void **)&pData->papLeds);
7026 if (VBOX_FAILURE(rc))
7027 {
7028 AssertMsgFailed(("Configuration error: Failed to query the \"papLeds\" value! rc=%Vrc\n", rc));
7029 return rc;
7030 }
7031
7032 rc = CFGMR3QueryU32(pCfgHandle, "First", &pData->iFirstLUN);
7033 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
7034 pData->iFirstLUN = 0;
7035 else if (VBOX_FAILURE(rc))
7036 {
7037 AssertMsgFailed(("Configuration error: Failed to query the \"First\" value! rc=%Vrc\n", rc));
7038 return rc;
7039 }
7040
7041 rc = CFGMR3QueryU32(pCfgHandle, "Last", &pData->iLastLUN);
7042 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
7043 pData->iLastLUN = 0;
7044 else if (VBOX_FAILURE(rc))
7045 {
7046 AssertMsgFailed(("Configuration error: Failed to query the \"Last\" value! rc=%Vrc\n", rc));
7047 return rc;
7048 }
7049 if (pData->iFirstLUN > pData->iLastLUN)
7050 {
7051 AssertMsgFailed(("Configuration error: Invalid unit range %u-%u\n", pData->iFirstLUN, pData->iLastLUN));
7052 return VERR_GENERAL_FAILURE;
7053 }
7054
7055 /*
7056 * Get the ILedPorts interface of the above driver/device and
7057 * query the LEDs we want.
7058 */
7059 pData->pLedPorts = (PPDMILEDPORTS)pDrvIns->pUpBase->pfnQueryInterface(pDrvIns->pUpBase, PDMINTERFACE_LED_PORTS);
7060 if (!pData->pLedPorts)
7061 {
7062 AssertMsgFailed(("Configuration error: No led ports interface above!\n"));
7063 return VERR_PDM_MISSING_INTERFACE_ABOVE;
7064 }
7065
7066 for (unsigned i = pData->iFirstLUN; i <= pData->iLastLUN; i++)
7067 Console::drvStatus_UnitChanged(&pData->ILedConnectors, i);
7068
7069 return VINF_SUCCESS;
7070}
7071
7072
7073/**
7074 * Keyboard driver registration record.
7075 */
7076const PDMDRVREG Console::DrvStatusReg =
7077{
7078 /* u32Version */
7079 PDM_DRVREG_VERSION,
7080 /* szDriverName */
7081 "MainStatus",
7082 /* pszDescription */
7083 "Main status driver (Main as in the API).",
7084 /* fFlags */
7085 PDM_DRVREG_FLAGS_HOST_BITS_DEFAULT,
7086 /* fClass. */
7087 PDM_DRVREG_CLASS_STATUS,
7088 /* cMaxInstances */
7089 ~0,
7090 /* cbInstance */
7091 sizeof(DRVMAINSTATUS),
7092 /* pfnConstruct */
7093 Console::drvStatus_Construct,
7094 /* pfnDestruct */
7095 Console::drvStatus_Destruct,
7096 /* pfnIOCtl */
7097 NULL,
7098 /* pfnPowerOn */
7099 NULL,
7100 /* pfnReset */
7101 NULL,
7102 /* pfnSuspend */
7103 NULL,
7104 /* pfnResume */
7105 NULL,
7106 /* pfnDetach */
7107 NULL
7108};
7109
Note: See TracBrowser for help on using the repository browser.

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