VirtualBox

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

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

The Big Sun Rebranding Header Change

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

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