VirtualBox

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

Last change on this file since 11822 was 11820, checked in by vboxsync, 16 years ago

made Qt4 the default GUI; VBOX_VRDP => VBOX_WITH_VRDP; VBOX_HGCM => VBOX_WITH_HGCM; Makefile cleanup

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