VirtualBox

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

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

Main: remove guest property settings from extra data on machine shutdown if they are deleted during the machine session

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