VirtualBox

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

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

VRDP server: fixed error handling if the VRDP library could not be loaded

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