VirtualBox

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

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

gcc-4.2 warnings

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

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