VirtualBox

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

Last change on this file since 8134 was 8134, checked in by vboxsync, 17 years ago

Fixed USB led when EHCI is enabled.

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