VirtualBox

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

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

Main: save and reload the guest/host registry in extra data at machine startup and shutdown

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

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