VirtualBox

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

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

Main (guest properties): support the delete property request

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 214.8 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
2489STDMETHODIMP Console::GetGuestProperty (INPTR BSTR aKey, BSTR *aValue)
2490{
2491 if (!VALID_PTR(aValue))
2492 return E_POINTER;
2493
2494#ifndef VBOX_WITH_INFO_SVC
2495 HRESULT hrc = E_NOTIMPL;
2496#else
2497 HRESULT hrc = E_FAIL;
2498 using namespace svcInfo;
2499
2500 VBOXHGCMSVCPARM parm[3];
2501 Utf8Str Utf8Key = aKey;
2502 Utf8Str Utf8Value(KEY_MAX_VALUE_LEN);
2503
2504 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
2505 /* To save doing a const cast, we use the mutableRaw() member. */
2506 parm[0].u.pointer.addr = Utf8Key.mutableRaw();
2507 /* The + 1 is the null terminator */
2508 parm[0].u.pointer.size = Utf8Key.length() + 1;
2509 parm[1].type = VBOX_HGCM_SVC_PARM_PTR;
2510 parm[1].u.pointer.addr = Utf8Value.mutableRaw();
2511 parm[1].u.pointer.size = KEY_MAX_VALUE_LEN;
2512 int rc = mVMMDev->hgcmHostCall ("VBoxSharedInfoSvc", GET_CONFIG_KEY_HOST, 3, &parm[0]);
2513 /* The returned string should never be able to be greater than our buffer */
2514 AssertLogRel(rc != VINF_BUFFER_OVERFLOW);
2515 if (RT_SUCCESS(rc) && (rc != VINF_BUFFER_OVERFLOW))
2516 {
2517 hrc = S_OK;
2518 if (parm[2].u.uint32 != 0)
2519 Utf8Value.cloneTo(aValue);
2520 else
2521 aValue = NULL;
2522 }
2523 else
2524 hrc = setError (E_FAIL, tr ("hgcmHostCall to VBoxSharedInfoSvc failed: %Rrc"), rc);
2525#endif
2526 return hrc;
2527}
2528
2529STDMETHODIMP Console::SetGuestProperty (INPTR BSTR aKey, INPTR BSTR aValue)
2530{
2531#ifndef VBOX_WITH_INFO_SVC
2532 HRESULT hrc = E_NOTIMPL;
2533#else
2534 HRESULT hrc = E_FAIL;
2535 using namespace svcInfo;
2536
2537 VBOXHGCMSVCPARM parm[2];
2538 Utf8Str Utf8Key = aKey;
2539 int rc = VINF_SUCCESS;
2540
2541 parm[0].type = VBOX_HGCM_SVC_PARM_PTR;
2542 /* To save doing a const cast, we use the mutableRaw() member. */
2543 parm[0].u.pointer.addr = Utf8Key.mutableRaw();
2544 /* The + 1 is the null terminator */
2545 parm[0].u.pointer.size = Utf8Key.length() + 1;
2546 if (aValue != NULL)
2547 {
2548 Utf8Str Utf8Value = aValue;
2549 parm[1].type = VBOX_HGCM_SVC_PARM_PTR;
2550 /* To save doing a const cast, we use the mutableRaw() member. */
2551 parm[1].u.pointer.addr = Utf8Value.mutableRaw();
2552 /* The + 1 is the null terminator */
2553 parm[1].u.pointer.size = Utf8Value.length() + 1;
2554 rc = mVMMDev->hgcmHostCall ("VBoxSharedInfoSvc", SET_CONFIG_KEY_HOST, 2, &parm[0]);
2555 }
2556 else
2557 rc = mVMMDev->hgcmHostCall ("VBoxSharedInfoSvc", DEL_CONFIG_KEY_HOST, 1, &parm[0]);
2558 if (RT_SUCCESS(rc))
2559 hrc = S_OK;
2560 else
2561 hrc = setError (E_FAIL, tr ("hgcmHostCall to VBoxSharedInfoSvc failed: %Rrc"), rc);
2562#endif
2563 return hrc;
2564}
2565
2566
2567// Non-interface public methods
2568/////////////////////////////////////////////////////////////////////////////
2569
2570/**
2571 * Called by IInternalSessionControl::OnDVDDriveChange().
2572 *
2573 * @note Locks this object for writing.
2574 */
2575HRESULT Console::onDVDDriveChange()
2576{
2577 LogFlowThisFunc (("\n"));
2578
2579 AutoCaller autoCaller (this);
2580 AssertComRCReturnRC (autoCaller.rc());
2581
2582 /* doDriveChange() needs a write lock */
2583 AutoWriteLock alock (this);
2584
2585 /* Ignore callbacks when there's no VM around */
2586 if (!mpVM)
2587 return S_OK;
2588
2589 /* protect mpVM */
2590 AutoVMCaller autoVMCaller (this);
2591 CheckComRCReturnRC (autoVMCaller.rc());
2592
2593 /* Get the current DVD state */
2594 HRESULT rc;
2595 DriveState_T eState;
2596
2597 rc = mDVDDrive->COMGETTER (State) (&eState);
2598 ComAssertComRCRetRC (rc);
2599
2600 /* Paranoia */
2601 if ( eState == DriveState_NotMounted
2602 && meDVDState == DriveState_NotMounted)
2603 {
2604 LogFlowThisFunc (("Returns (NotMounted -> NotMounted)\n"));
2605 return S_OK;
2606 }
2607
2608 /* Get the path string and other relevant properties */
2609 Bstr Path;
2610 bool fPassthrough = false;
2611 switch (eState)
2612 {
2613 case DriveState_ImageMounted:
2614 {
2615 ComPtr <IDVDImage> ImagePtr;
2616 rc = mDVDDrive->GetImage (ImagePtr.asOutParam());
2617 if (SUCCEEDED (rc))
2618 rc = ImagePtr->COMGETTER(FilePath) (Path.asOutParam());
2619 break;
2620 }
2621
2622 case DriveState_HostDriveCaptured:
2623 {
2624 ComPtr <IHostDVDDrive> DrivePtr;
2625 BOOL enabled;
2626 rc = mDVDDrive->GetHostDrive (DrivePtr.asOutParam());
2627 if (SUCCEEDED (rc))
2628 rc = DrivePtr->COMGETTER (Name) (Path.asOutParam());
2629 if (SUCCEEDED (rc))
2630 rc = mDVDDrive->COMGETTER (Passthrough) (&enabled);
2631 if (SUCCEEDED (rc))
2632 fPassthrough = !!enabled;
2633 break;
2634 }
2635
2636 case DriveState_NotMounted:
2637 break;
2638
2639 default:
2640 AssertMsgFailed (("Invalid DriveState: %d\n", eState));
2641 rc = E_FAIL;
2642 break;
2643 }
2644
2645 AssertComRC (rc);
2646 if (FAILED (rc))
2647 {
2648 LogFlowThisFunc (("Returns %#x\n", rc));
2649 return rc;
2650 }
2651
2652 rc = doDriveChange ("piix3ide", 0, 2, eState, &meDVDState,
2653 Utf8Str (Path).raw(), fPassthrough);
2654
2655 /* notify console callbacks on success */
2656 if (SUCCEEDED (rc))
2657 {
2658 CallbackList::iterator it = mCallbacks.begin();
2659 while (it != mCallbacks.end())
2660 (*it++)->OnDVDDriveChange();
2661 }
2662
2663 return rc;
2664}
2665
2666
2667/**
2668 * Called by IInternalSessionControl::OnFloppyDriveChange().
2669 *
2670 * @note Locks this object for writing.
2671 */
2672HRESULT Console::onFloppyDriveChange()
2673{
2674 LogFlowThisFunc (("\n"));
2675
2676 AutoCaller autoCaller (this);
2677 AssertComRCReturnRC (autoCaller.rc());
2678
2679 /* doDriveChange() needs a write lock */
2680 AutoWriteLock alock (this);
2681
2682 /* Ignore callbacks when there's no VM around */
2683 if (!mpVM)
2684 return S_OK;
2685
2686 /* protect mpVM */
2687 AutoVMCaller autoVMCaller (this);
2688 CheckComRCReturnRC (autoVMCaller.rc());
2689
2690 /* Get the current floppy state */
2691 HRESULT rc;
2692 DriveState_T eState;
2693
2694 /* If the floppy drive is disabled, we're not interested */
2695 BOOL fEnabled;
2696 rc = mFloppyDrive->COMGETTER (Enabled) (&fEnabled);
2697 ComAssertComRCRetRC (rc);
2698
2699 if (!fEnabled)
2700 return S_OK;
2701
2702 rc = mFloppyDrive->COMGETTER (State) (&eState);
2703 ComAssertComRCRetRC (rc);
2704
2705 Log2 (("onFloppyDriveChange: eState=%d meFloppyState=%d\n", eState, meFloppyState));
2706
2707
2708 /* Paranoia */
2709 if ( eState == DriveState_NotMounted
2710 && meFloppyState == DriveState_NotMounted)
2711 {
2712 LogFlowThisFunc (("Returns (NotMounted -> NotMounted)\n"));
2713 return S_OK;
2714 }
2715
2716 /* Get the path string and other relevant properties */
2717 Bstr Path;
2718 switch (eState)
2719 {
2720 case DriveState_ImageMounted:
2721 {
2722 ComPtr <IFloppyImage> ImagePtr;
2723 rc = mFloppyDrive->GetImage (ImagePtr.asOutParam());
2724 if (SUCCEEDED (rc))
2725 rc = ImagePtr->COMGETTER(FilePath) (Path.asOutParam());
2726 break;
2727 }
2728
2729 case DriveState_HostDriveCaptured:
2730 {
2731 ComPtr <IHostFloppyDrive> DrivePtr;
2732 rc = mFloppyDrive->GetHostDrive (DrivePtr.asOutParam());
2733 if (SUCCEEDED (rc))
2734 rc = DrivePtr->COMGETTER (Name) (Path.asOutParam());
2735 break;
2736 }
2737
2738 case DriveState_NotMounted:
2739 break;
2740
2741 default:
2742 AssertMsgFailed (("Invalid DriveState: %d\n", eState));
2743 rc = E_FAIL;
2744 break;
2745 }
2746
2747 AssertComRC (rc);
2748 if (FAILED (rc))
2749 {
2750 LogFlowThisFunc (("Returns %#x\n", rc));
2751 return rc;
2752 }
2753
2754 rc = doDriveChange ("i82078", 0, 0, eState, &meFloppyState,
2755 Utf8Str (Path).raw(), false);
2756
2757 /* notify console callbacks on success */
2758 if (SUCCEEDED (rc))
2759 {
2760 CallbackList::iterator it = mCallbacks.begin();
2761 while (it != mCallbacks.end())
2762 (*it++)->OnFloppyDriveChange();
2763 }
2764
2765 return rc;
2766}
2767
2768
2769/**
2770 * Process a floppy or dvd change.
2771 *
2772 * @returns COM status code.
2773 *
2774 * @param pszDevice The PDM device name.
2775 * @param uInstance The PDM device instance.
2776 * @param uLun The PDM LUN number of the drive.
2777 * @param eState The new state.
2778 * @param peState Pointer to the variable keeping the actual state of the drive.
2779 * This will be both read and updated to eState or other appropriate state.
2780 * @param pszPath The path to the media / drive which is now being mounted / captured.
2781 * If NULL no media or drive is attached and the lun will be configured with
2782 * the default block driver with no media. This will also be the state if
2783 * mounting / capturing the specified media / drive fails.
2784 * @param fPassthrough Enables using passthrough mode of the host DVD drive if applicable.
2785 *
2786 * @note Locks this object for writing.
2787 */
2788HRESULT Console::doDriveChange (const char *pszDevice, unsigned uInstance, unsigned uLun, DriveState_T eState,
2789 DriveState_T *peState, const char *pszPath, bool fPassthrough)
2790{
2791 LogFlowThisFunc (("pszDevice=%p:{%s} uInstance=%u uLun=%u eState=%d "
2792 "peState=%p:{%d} pszPath=%p:{%s} fPassthrough=%d\n",
2793 pszDevice, pszDevice, uInstance, uLun, eState,
2794 peState, *peState, pszPath, pszPath, fPassthrough));
2795
2796 AutoCaller autoCaller (this);
2797 AssertComRCReturnRC (autoCaller.rc());
2798
2799 /* We will need to release the write lock before calling EMT */
2800 AutoWriteLock alock (this);
2801
2802 /* protect mpVM */
2803 AutoVMCaller autoVMCaller (this);
2804 CheckComRCReturnRC (autoVMCaller.rc());
2805
2806 /*
2807 * Call worker in EMT, that's faster and safer than doing everything
2808 * using VM3ReqCall. Note that we separate VMR3ReqCall from VMR3ReqWait
2809 * here to make requests from under the lock in order to serialize them.
2810 */
2811 PVMREQ pReq;
2812 int vrc = VMR3ReqCall (mpVM, &pReq, 0 /* no wait! */,
2813 (PFNRT) Console::changeDrive, 8,
2814 this, pszDevice, uInstance, uLun, eState, peState,
2815 pszPath, fPassthrough);
2816 /// @todo (r=dmik) bird, it would be nice to have a special VMR3Req method
2817 // for that purpose, that doesn't return useless VERR_TIMEOUT
2818 if (vrc == VERR_TIMEOUT)
2819 vrc = VINF_SUCCESS;
2820
2821 /* leave the lock before waiting for a result (EMT will call us back!) */
2822 alock.leave();
2823
2824 if (VBOX_SUCCESS (vrc))
2825 {
2826 vrc = VMR3ReqWait (pReq, RT_INDEFINITE_WAIT);
2827 AssertRC (vrc);
2828 if (VBOX_SUCCESS (vrc))
2829 vrc = pReq->iStatus;
2830 }
2831 VMR3ReqFree (pReq);
2832
2833 if (VBOX_SUCCESS (vrc))
2834 {
2835 LogFlowThisFunc (("Returns S_OK\n"));
2836 return S_OK;
2837 }
2838
2839 if (pszPath)
2840 return setError (E_FAIL,
2841 tr ("Could not mount the media/drive '%s' (%Vrc)"), pszPath, vrc);
2842
2843 return setError (E_FAIL,
2844 tr ("Could not unmount the currently mounted media/drive (%Vrc)"), vrc);
2845}
2846
2847
2848/**
2849 * Performs the Floppy/DVD change in EMT.
2850 *
2851 * @returns VBox status code.
2852 *
2853 * @param pThis Pointer to the Console object.
2854 * @param pszDevice The PDM device name.
2855 * @param uInstance The PDM device instance.
2856 * @param uLun The PDM LUN number of the drive.
2857 * @param eState The new state.
2858 * @param peState Pointer to the variable keeping the actual state of the drive.
2859 * This will be both read and updated to eState or other appropriate state.
2860 * @param pszPath The path to the media / drive which is now being mounted / captured.
2861 * If NULL no media or drive is attached and the lun will be configured with
2862 * the default block driver with no media. This will also be the state if
2863 * mounting / capturing the specified media / drive fails.
2864 * @param fPassthrough Enables using passthrough mode of the host DVD drive if applicable.
2865 *
2866 * @thread EMT
2867 * @note Locks the Console object for writing.
2868 */
2869DECLCALLBACK(int) Console::changeDrive (Console *pThis, const char *pszDevice, unsigned uInstance, unsigned uLun,
2870 DriveState_T eState, DriveState_T *peState,
2871 const char *pszPath, bool fPassthrough)
2872{
2873 LogFlowFunc (("pThis=%p pszDevice=%p:{%s} uInstance=%u uLun=%u eState=%d "
2874 "peState=%p:{%d} pszPath=%p:{%s} fPassthrough=%d\n",
2875 pThis, pszDevice, pszDevice, uInstance, uLun, eState,
2876 peState, *peState, pszPath, pszPath, fPassthrough));
2877
2878 AssertReturn (pThis, VERR_INVALID_PARAMETER);
2879
2880 AssertMsg ( (!strcmp (pszDevice, "i82078") && uLun == 0 && uInstance == 0)
2881 || (!strcmp (pszDevice, "piix3ide") && uLun == 2 && uInstance == 0),
2882 ("pszDevice=%s uLun=%d uInstance=%d\n", pszDevice, uLun, uInstance));
2883
2884 AutoCaller autoCaller (pThis);
2885 AssertComRCReturn (autoCaller.rc(), VERR_ACCESS_DENIED);
2886
2887 /*
2888 * Locking the object before doing VMR3* calls is quite safe here, since
2889 * we're on EMT. Write lock is necessary because we indirectly modify the
2890 * meDVDState/meFloppyState members (pointed to by peState).
2891 */
2892 AutoWriteLock alock (pThis);
2893
2894 /* protect mpVM */
2895 AutoVMCaller autoVMCaller (pThis);
2896 CheckComRCReturnRC (autoVMCaller.rc());
2897
2898 PVM pVM = pThis->mpVM;
2899
2900 /*
2901 * Suspend the VM first.
2902 *
2903 * The VM must not be running since it might have pending I/O to
2904 * the drive which is being changed.
2905 */
2906 bool fResume;
2907 VMSTATE enmVMState = VMR3GetState (pVM);
2908 switch (enmVMState)
2909 {
2910 case VMSTATE_RESETTING:
2911 case VMSTATE_RUNNING:
2912 {
2913 LogFlowFunc (("Suspending the VM...\n"));
2914 /* disable the callback to prevent Console-level state change */
2915 pThis->mVMStateChangeCallbackDisabled = true;
2916 int rc = VMR3Suspend (pVM);
2917 pThis->mVMStateChangeCallbackDisabled = false;
2918 AssertRCReturn (rc, rc);
2919 fResume = true;
2920 break;
2921 }
2922
2923 case VMSTATE_SUSPENDED:
2924 case VMSTATE_CREATED:
2925 case VMSTATE_OFF:
2926 fResume = false;
2927 break;
2928
2929 default:
2930 AssertMsgFailedReturn (("enmVMState=%d\n", enmVMState), VERR_ACCESS_DENIED);
2931 }
2932
2933 int rc = VINF_SUCCESS;
2934 int rcRet = VINF_SUCCESS;
2935
2936 do
2937 {
2938 /*
2939 * Unmount existing media / detach host drive.
2940 */
2941 PPDMIMOUNT pIMount = NULL;
2942 switch (*peState)
2943 {
2944
2945 case DriveState_ImageMounted:
2946 {
2947 /*
2948 * Resolve the interface.
2949 */
2950 PPDMIBASE pBase;
2951 rc = PDMR3QueryLun (pVM, pszDevice, uInstance, uLun, &pBase);
2952 if (VBOX_FAILURE (rc))
2953 {
2954 if (rc == VERR_PDM_LUN_NOT_FOUND)
2955 rc = VINF_SUCCESS;
2956 AssertRC (rc);
2957 break;
2958 }
2959
2960 pIMount = (PPDMIMOUNT) pBase->pfnQueryInterface (pBase, PDMINTERFACE_MOUNT);
2961 AssertBreakStmt (pIMount, rc = VERR_INVALID_POINTER);
2962
2963 /*
2964 * Unmount the media.
2965 */
2966 rc = pIMount->pfnUnmount (pIMount, false);
2967 if (rc == VERR_PDM_MEDIA_NOT_MOUNTED)
2968 rc = VINF_SUCCESS;
2969 break;
2970 }
2971
2972 case DriveState_HostDriveCaptured:
2973 {
2974 rc = PDMR3DeviceDetach (pVM, pszDevice, uInstance, uLun);
2975 if (rc == VINF_PDM_NO_DRIVER_ATTACHED_TO_LUN)
2976 rc = VINF_SUCCESS;
2977 AssertRC (rc);
2978 break;
2979 }
2980
2981 case DriveState_NotMounted:
2982 break;
2983
2984 default:
2985 AssertMsgFailed (("Invalid *peState: %d\n", peState));
2986 break;
2987 }
2988
2989 if (VBOX_FAILURE (rc))
2990 {
2991 rcRet = rc;
2992 break;
2993 }
2994
2995 /*
2996 * Nothing is currently mounted.
2997 */
2998 *peState = DriveState_NotMounted;
2999
3000
3001 /*
3002 * Process the HostDriveCaptured state first, as the fallback path
3003 * means mounting the normal block driver without media.
3004 */
3005 if (eState == DriveState_HostDriveCaptured)
3006 {
3007 /*
3008 * Detach existing driver chain (block).
3009 */
3010 int rc = PDMR3DeviceDetach (pVM, pszDevice, uInstance, uLun);
3011 if (VBOX_FAILURE (rc))
3012 {
3013 if (rc == VERR_PDM_LUN_NOT_FOUND)
3014 rc = VINF_SUCCESS;
3015 AssertReleaseRC (rc);
3016 break; /* we're toast */
3017 }
3018 pIMount = NULL;
3019
3020 /*
3021 * Construct a new driver configuration.
3022 */
3023 PCFGMNODE pInst = CFGMR3GetChildF (CFGMR3GetRoot (pVM), "Devices/%s/%d/", pszDevice, uInstance);
3024 AssertRelease (pInst);
3025 /* nuke anything which might have been left behind. */
3026 CFGMR3RemoveNode (CFGMR3GetChildF (pInst, "LUN#%d", uLun));
3027
3028 /* create a new block driver config */
3029 PCFGMNODE pLunL0;
3030 PCFGMNODE pCfg;
3031 if ( VBOX_SUCCESS (rc = CFGMR3InsertNodeF (pInst, &pLunL0, "LUN#%u", uLun))
3032 && VBOX_SUCCESS (rc = CFGMR3InsertString (pLunL0, "Driver", !strcmp (pszDevice, "i82078") ? "HostFloppy" : "HostDVD"))
3033 && VBOX_SUCCESS (rc = CFGMR3InsertNode (pLunL0, "Config", &pCfg))
3034 && VBOX_SUCCESS (rc = CFGMR3InsertString (pCfg, "Path", pszPath))
3035 && VBOX_SUCCESS (rc = !strcmp (pszDevice, "i82078") ? VINF_SUCCESS : CFGMR3InsertInteger(pCfg, "Passthrough", fPassthrough)))
3036 {
3037 /*
3038 * Attempt to attach the driver.
3039 */
3040 rc = PDMR3DeviceAttach (pVM, pszDevice, uInstance, uLun, NULL);
3041 AssertRC (rc);
3042 }
3043 if (VBOX_FAILURE (rc))
3044 rcRet = rc;
3045 }
3046
3047 /*
3048 * Process the ImageMounted, NotMounted and failed HostDriveCapture cases.
3049 */
3050 rc = VINF_SUCCESS;
3051 switch (eState)
3052 {
3053#define RC_CHECK() do { if (VBOX_FAILURE (rc)) { AssertReleaseRC (rc); break; } } while (0)
3054
3055 case DriveState_HostDriveCaptured:
3056 if (VBOX_SUCCESS (rcRet))
3057 break;
3058 /* fallback: umounted block driver. */
3059 pszPath = NULL;
3060 eState = DriveState_NotMounted;
3061 /* fallthru */
3062 case DriveState_ImageMounted:
3063 case DriveState_NotMounted:
3064 {
3065 /*
3066 * Resolve the drive interface / create the driver.
3067 */
3068 if (!pIMount)
3069 {
3070 PPDMIBASE pBase;
3071 rc = PDMR3QueryLun (pVM, pszDevice, uInstance, uLun, &pBase);
3072 if (rc == VERR_PDM_NO_DRIVER_ATTACHED_TO_LUN)
3073 {
3074 /*
3075 * We have to create it, so we'll do the full config setup and everything.
3076 */
3077 PCFGMNODE pIdeInst = CFGMR3GetChildF (CFGMR3GetRoot (pVM), "Devices/%s/%d/", pszDevice, uInstance);
3078 AssertRelease (pIdeInst);
3079
3080 /* nuke anything which might have been left behind. */
3081 CFGMR3RemoveNode (CFGMR3GetChildF (pIdeInst, "LUN#%d", uLun));
3082
3083 /* create a new block driver config */
3084 PCFGMNODE pLunL0;
3085 rc = CFGMR3InsertNodeF (pIdeInst, &pLunL0, "LUN#%d", uLun); RC_CHECK();
3086 rc = CFGMR3InsertString (pLunL0, "Driver", "Block"); RC_CHECK();
3087 PCFGMNODE pCfg;
3088 rc = CFGMR3InsertNode (pLunL0, "Config", &pCfg); RC_CHECK();
3089 rc = CFGMR3InsertString (pCfg, "Type", !strcmp (pszDevice, "i82078") ? "Floppy 1.44" : "DVD");
3090 RC_CHECK();
3091 rc = CFGMR3InsertInteger (pCfg, "Mountable", 1); RC_CHECK();
3092
3093 /*
3094 * Attach the driver.
3095 */
3096 rc = PDMR3DeviceAttach (pVM, pszDevice, uInstance, uLun, &pBase);
3097 RC_CHECK();
3098 }
3099 else if (VBOX_FAILURE(rc))
3100 {
3101 AssertRC (rc);
3102 return rc;
3103 }
3104
3105 pIMount = (PPDMIMOUNT) pBase->pfnQueryInterface (pBase, PDMINTERFACE_MOUNT);
3106 if (!pIMount)
3107 {
3108 AssertFailed();
3109 return rc;
3110 }
3111 }
3112
3113 /*
3114 * If we've got an image, let's mount it.
3115 */
3116 if (pszPath && *pszPath)
3117 {
3118 rc = pIMount->pfnMount (pIMount, pszPath, strcmp (pszDevice, "i82078") ? "MediaISO" : "RawImage");
3119 if (VBOX_FAILURE (rc))
3120 eState = DriveState_NotMounted;
3121 }
3122 break;
3123 }
3124
3125 default:
3126 AssertMsgFailed (("Invalid eState: %d\n", eState));
3127 break;
3128
3129#undef RC_CHECK
3130 }
3131
3132 if (VBOX_FAILURE (rc) && VBOX_SUCCESS (rcRet))
3133 rcRet = rc;
3134
3135 *peState = eState;
3136 }
3137 while (0);
3138
3139 /*
3140 * Resume the VM if necessary.
3141 */
3142 if (fResume)
3143 {
3144 LogFlowFunc (("Resuming the VM...\n"));
3145 /* disable the callback to prevent Console-level state change */
3146 pThis->mVMStateChangeCallbackDisabled = true;
3147 rc = VMR3Resume (pVM);
3148 pThis->mVMStateChangeCallbackDisabled = false;
3149 AssertRC (rc);
3150 if (VBOX_FAILURE (rc))
3151 {
3152 /* too bad, we failed. try to sync the console state with the VMM state */
3153 vmstateChangeCallback (pVM, VMSTATE_SUSPENDED, enmVMState, pThis);
3154 }
3155 /// @todo (r=dmik) if we failed with drive mount, then the VMR3Resume
3156 // error (if any) will be hidden from the caller. For proper reporting
3157 // of such multiple errors to the caller we need to enhance the
3158 // IVurtualBoxError interface. For now, give the first error the higher
3159 // priority.
3160 if (VBOX_SUCCESS (rcRet))
3161 rcRet = rc;
3162 }
3163
3164 LogFlowFunc (("Returning %Vrc\n", rcRet));
3165 return rcRet;
3166}
3167
3168
3169/**
3170 * Called by IInternalSessionControl::OnNetworkAdapterChange().
3171 *
3172 * @note Locks this object for writing.
3173 */
3174HRESULT Console::onNetworkAdapterChange (INetworkAdapter *aNetworkAdapter)
3175{
3176 LogFlowThisFunc (("\n"));
3177
3178 AutoCaller autoCaller (this);
3179 AssertComRCReturnRC (autoCaller.rc());
3180
3181 AutoWriteLock alock (this);
3182
3183 /* Don't do anything if the VM isn't running */
3184 if (!mpVM)
3185 return S_OK;
3186
3187 /* protect mpVM */
3188 AutoVMCaller autoVMCaller (this);
3189 CheckComRCReturnRC (autoVMCaller.rc());
3190
3191 /* Get the properties we need from the adapter */
3192 BOOL fCableConnected;
3193 HRESULT rc = aNetworkAdapter->COMGETTER(CableConnected) (&fCableConnected);
3194 AssertComRC(rc);
3195 if (SUCCEEDED(rc))
3196 {
3197 ULONG ulInstance;
3198 rc = aNetworkAdapter->COMGETTER(Slot) (&ulInstance);
3199 AssertComRC (rc);
3200 if (SUCCEEDED (rc))
3201 {
3202 /*
3203 * Find the pcnet instance, get the config interface and update
3204 * the link state.
3205 */
3206 PPDMIBASE pBase;
3207 const char *cszAdapterName = "pcnet";
3208#ifdef VBOX_WITH_E1000
3209 /*
3210 * Perharps it would be much wiser to wrap both 'pcnet' and 'e1000'
3211 * into generic 'net' device.
3212 */
3213 NetworkAdapterType_T adapterType;
3214 rc = aNetworkAdapter->COMGETTER(AdapterType)(&adapterType);
3215 AssertComRC(rc);
3216 if (adapterType == NetworkAdapterType_I82540EM ||
3217 adapterType == NetworkAdapterType_I82543GC)
3218 cszAdapterName = "e1000";
3219#endif
3220 int vrc = PDMR3QueryDeviceLun (mpVM, cszAdapterName,
3221 (unsigned) ulInstance, 0, &pBase);
3222 ComAssertRC (vrc);
3223 if (VBOX_SUCCESS (vrc))
3224 {
3225 Assert(pBase);
3226 PPDMINETWORKCONFIG pINetCfg = (PPDMINETWORKCONFIG) pBase->
3227 pfnQueryInterface(pBase, PDMINTERFACE_NETWORK_CONFIG);
3228 if (pINetCfg)
3229 {
3230 Log (("Console::onNetworkAdapterChange: setting link state to %d\n",
3231 fCableConnected));
3232 vrc = pINetCfg->pfnSetLinkState (pINetCfg,
3233 fCableConnected ? PDMNETWORKLINKSTATE_UP
3234 : PDMNETWORKLINKSTATE_DOWN);
3235 ComAssertRC (vrc);
3236 }
3237 }
3238
3239 if (VBOX_FAILURE (vrc))
3240 rc = E_FAIL;
3241 }
3242 }
3243
3244 /* notify console callbacks on success */
3245 if (SUCCEEDED (rc))
3246 {
3247 CallbackList::iterator it = mCallbacks.begin();
3248 while (it != mCallbacks.end())
3249 (*it++)->OnNetworkAdapterChange (aNetworkAdapter);
3250 }
3251
3252 LogFlowThisFunc (("Leaving rc=%#x\n", rc));
3253 return rc;
3254}
3255
3256/**
3257 * Called by IInternalSessionControl::OnSerialPortChange().
3258 *
3259 * @note Locks this object for writing.
3260 */
3261HRESULT Console::onSerialPortChange (ISerialPort *aSerialPort)
3262{
3263 LogFlowThisFunc (("\n"));
3264
3265 AutoCaller autoCaller (this);
3266 AssertComRCReturnRC (autoCaller.rc());
3267
3268 AutoWriteLock alock (this);
3269
3270 /* Don't do anything if the VM isn't running */
3271 if (!mpVM)
3272 return S_OK;
3273
3274 HRESULT rc = S_OK;
3275
3276 /* protect mpVM */
3277 AutoVMCaller autoVMCaller (this);
3278 CheckComRCReturnRC (autoVMCaller.rc());
3279
3280 /* nothing to do so far */
3281
3282 /* notify console callbacks on success */
3283 if (SUCCEEDED (rc))
3284 {
3285 CallbackList::iterator it = mCallbacks.begin();
3286 while (it != mCallbacks.end())
3287 (*it++)->OnSerialPortChange (aSerialPort);
3288 }
3289
3290 LogFlowThisFunc (("Leaving rc=%#x\n", rc));
3291 return rc;
3292}
3293
3294/**
3295 * Called by IInternalSessionControl::OnParallelPortChange().
3296 *
3297 * @note Locks this object for writing.
3298 */
3299HRESULT Console::onParallelPortChange (IParallelPort *aParallelPort)
3300{
3301 LogFlowThisFunc (("\n"));
3302
3303 AutoCaller autoCaller (this);
3304 AssertComRCReturnRC (autoCaller.rc());
3305
3306 AutoWriteLock alock (this);
3307
3308 /* Don't do anything if the VM isn't running */
3309 if (!mpVM)
3310 return S_OK;
3311
3312 HRESULT rc = S_OK;
3313
3314 /* protect mpVM */
3315 AutoVMCaller autoVMCaller (this);
3316 CheckComRCReturnRC (autoVMCaller.rc());
3317
3318 /* nothing to do so far */
3319
3320 /* notify console callbacks on success */
3321 if (SUCCEEDED (rc))
3322 {
3323 CallbackList::iterator it = mCallbacks.begin();
3324 while (it != mCallbacks.end())
3325 (*it++)->OnParallelPortChange (aParallelPort);
3326 }
3327
3328 LogFlowThisFunc (("Leaving rc=%#x\n", rc));
3329 return rc;
3330}
3331
3332/**
3333 * Called by IInternalSessionControl::OnVRDPServerChange().
3334 *
3335 * @note Locks this object for writing.
3336 */
3337HRESULT Console::onVRDPServerChange()
3338{
3339 AutoCaller autoCaller (this);
3340 AssertComRCReturnRC (autoCaller.rc());
3341
3342 AutoWriteLock alock (this);
3343
3344 HRESULT rc = S_OK;
3345
3346 if (mVRDPServer && mMachineState == MachineState_Running)
3347 {
3348 BOOL vrdpEnabled = FALSE;
3349
3350 rc = mVRDPServer->COMGETTER(Enabled) (&vrdpEnabled);
3351 ComAssertComRCRetRC (rc);
3352
3353 if (vrdpEnabled)
3354 {
3355 // If there was no VRDP server started the 'stop' will do nothing.
3356 // However if a server was started and this notification was called,
3357 // we have to restart the server.
3358 mConsoleVRDPServer->Stop ();
3359
3360 if (VBOX_FAILURE(mConsoleVRDPServer->Launch ()))
3361 {
3362 rc = E_FAIL;
3363 }
3364 else
3365 {
3366 mConsoleVRDPServer->EnableConnections ();
3367 }
3368 }
3369 else
3370 {
3371 mConsoleVRDPServer->Stop ();
3372 }
3373 }
3374
3375 /* notify console callbacks on success */
3376 if (SUCCEEDED (rc))
3377 {
3378 CallbackList::iterator it = mCallbacks.begin();
3379 while (it != mCallbacks.end())
3380 (*it++)->OnVRDPServerChange();
3381 }
3382
3383 return rc;
3384}
3385
3386/**
3387 * Called by IInternalSessionControl::OnUSBControllerChange().
3388 *
3389 * @note Locks this object for writing.
3390 */
3391HRESULT Console::onUSBControllerChange()
3392{
3393 LogFlowThisFunc (("\n"));
3394
3395 AutoCaller autoCaller (this);
3396 AssertComRCReturnRC (autoCaller.rc());
3397
3398 AutoWriteLock alock (this);
3399
3400 /* Ignore if no VM is running yet. */
3401 if (!mpVM)
3402 return S_OK;
3403
3404 HRESULT rc = S_OK;
3405
3406/// @todo (dmik)
3407// check for the Enabled state and disable virtual USB controller??
3408// Anyway, if we want to query the machine's USB Controller we need to cache
3409// it to to mUSBController in #init() (as it is done with mDVDDrive).
3410//
3411// bird: While the VM supports hot-plugging, I doubt any guest can handle it at this time... :-)
3412//
3413// /* protect mpVM */
3414// AutoVMCaller autoVMCaller (this);
3415// CheckComRCReturnRC (autoVMCaller.rc());
3416
3417 /* notify console callbacks on success */
3418 if (SUCCEEDED (rc))
3419 {
3420 CallbackList::iterator it = mCallbacks.begin();
3421 while (it != mCallbacks.end())
3422 (*it++)->OnUSBControllerChange();
3423 }
3424
3425 return rc;
3426}
3427
3428/**
3429 * Called by IInternalSessionControl::OnSharedFolderChange().
3430 *
3431 * @note Locks this object for writing.
3432 */
3433HRESULT Console::onSharedFolderChange (BOOL aGlobal)
3434{
3435 LogFlowThisFunc (("aGlobal=%RTbool\n", aGlobal));
3436
3437 AutoCaller autoCaller (this);
3438 AssertComRCReturnRC (autoCaller.rc());
3439
3440 AutoWriteLock alock (this);
3441
3442 HRESULT rc = fetchSharedFolders (aGlobal);
3443
3444 /* notify console callbacks on success */
3445 if (SUCCEEDED (rc))
3446 {
3447 CallbackList::iterator it = mCallbacks.begin();
3448 while (it != mCallbacks.end())
3449 (*it++)->OnSharedFolderChange (aGlobal ? (Scope_T) Scope_Global
3450 : (Scope_T) Scope_Machine);
3451 }
3452
3453 return rc;
3454}
3455
3456/**
3457 * Called by IInternalSessionControl::OnUSBDeviceAttach() or locally by
3458 * processRemoteUSBDevices() after IInternalMachineControl::RunUSBDeviceFilters()
3459 * returns TRUE for a given remote USB device.
3460 *
3461 * @return S_OK if the device was attached to the VM.
3462 * @return failure if not attached.
3463 *
3464 * @param aDevice
3465 * The device in question.
3466 * @param aMaskedIfs
3467 * The interfaces to hide from the guest.
3468 *
3469 * @note Locks this object for writing.
3470 */
3471HRESULT Console::onUSBDeviceAttach (IUSBDevice *aDevice, IVirtualBoxErrorInfo *aError, ULONG aMaskedIfs)
3472{
3473#ifdef VBOX_WITH_USB
3474 LogFlowThisFunc (("aDevice=%p aError=%p\n", aDevice, aError));
3475
3476 AutoCaller autoCaller (this);
3477 ComAssertComRCRetRC (autoCaller.rc());
3478
3479 AutoWriteLock alock (this);
3480
3481 /* protect mpVM (we don't need error info, since it's a callback) */
3482 AutoVMCallerQuiet autoVMCaller (this);
3483 if (FAILED (autoVMCaller.rc()))
3484 {
3485 /* The VM may be no more operational when this message arrives
3486 * (e.g. it may be Saving or Stopping or just PoweredOff) --
3487 * autoVMCaller.rc() will return a failure in this case. */
3488 LogFlowThisFunc (("Attach request ignored (mMachineState=%d).\n",
3489 mMachineState));
3490 return autoVMCaller.rc();
3491 }
3492
3493 if (aError != NULL)
3494 {
3495 /* notify callbacks about the error */
3496 onUSBDeviceStateChange (aDevice, true /* aAttached */, aError);
3497 return S_OK;
3498 }
3499
3500 /* Don't proceed unless there's at least one USB hub. */
3501 if (!PDMR3USBHasHub (mpVM))
3502 {
3503 LogFlowThisFunc (("Attach request ignored (no USB controller).\n"));
3504 return E_FAIL;
3505 }
3506
3507 HRESULT rc = attachUSBDevice (aDevice, aMaskedIfs);
3508 if (FAILED (rc))
3509 {
3510 /* take the current error info */
3511 com::ErrorInfoKeeper eik;
3512 /* the error must be a VirtualBoxErrorInfo instance */
3513 ComPtr <IVirtualBoxErrorInfo> error = eik.takeError();
3514 Assert (!error.isNull());
3515 if (!error.isNull())
3516 {
3517 /* notify callbacks about the error */
3518 onUSBDeviceStateChange (aDevice, true /* aAttached */, error);
3519 }
3520 }
3521
3522 return rc;
3523
3524#else /* !VBOX_WITH_USB */
3525 return E_FAIL;
3526#endif /* !VBOX_WITH_USB */
3527}
3528
3529/**
3530 * Called by IInternalSessionControl::OnUSBDeviceDetach() and locally by
3531 * processRemoteUSBDevices().
3532 *
3533 * @note Locks this object for writing.
3534 */
3535HRESULT Console::onUSBDeviceDetach (INPTR GUIDPARAM aId,
3536 IVirtualBoxErrorInfo *aError)
3537{
3538#ifdef VBOX_WITH_USB
3539 Guid Uuid (aId);
3540 LogFlowThisFunc (("aId={%Vuuid} aError=%p\n", Uuid.raw(), aError));
3541
3542 AutoCaller autoCaller (this);
3543 AssertComRCReturnRC (autoCaller.rc());
3544
3545 AutoWriteLock alock (this);
3546
3547 /* Find the device. */
3548 ComObjPtr <OUSBDevice> device;
3549 USBDeviceList::iterator it = mUSBDevices.begin();
3550 while (it != mUSBDevices.end())
3551 {
3552 LogFlowThisFunc (("it={%Vuuid}\n", (*it)->id().raw()));
3553 if ((*it)->id() == Uuid)
3554 {
3555 device = *it;
3556 break;
3557 }
3558 ++ it;
3559 }
3560
3561
3562 if (device.isNull())
3563 {
3564 LogFlowThisFunc (("USB device not found.\n"));
3565
3566 /* The VM may be no more operational when this message arrives
3567 * (e.g. it may be Saving or Stopping or just PoweredOff). Use
3568 * AutoVMCaller to detect it -- AutoVMCaller::rc() will return a
3569 * failure in this case. */
3570
3571 AutoVMCallerQuiet autoVMCaller (this);
3572 if (FAILED (autoVMCaller.rc()))
3573 {
3574 LogFlowThisFunc (("Detach request ignored (mMachineState=%d).\n",
3575 mMachineState));
3576 return autoVMCaller.rc();
3577 }
3578
3579 /* the device must be in the list otherwise */
3580 AssertFailedReturn (E_FAIL);
3581 }
3582
3583 if (aError != NULL)
3584 {
3585 /* notify callback about an error */
3586 onUSBDeviceStateChange (device, false /* aAttached */, aError);
3587 return S_OK;
3588 }
3589
3590 HRESULT rc = detachUSBDevice (it);
3591
3592 if (FAILED (rc))
3593 {
3594 /* take the current error info */
3595 com::ErrorInfoKeeper eik;
3596 /* the error must be a VirtualBoxErrorInfo instance */
3597 ComPtr <IVirtualBoxErrorInfo> error = eik.takeError();
3598 Assert (!error.isNull());
3599 if (!error.isNull())
3600 {
3601 /* notify callbacks about the error */
3602 onUSBDeviceStateChange (device, false /* aAttached */, error);
3603 }
3604 }
3605
3606 return rc;
3607
3608#else /* !VBOX_WITH_USB */
3609 return E_FAIL;
3610#endif /* !VBOX_WITH_USB */
3611}
3612
3613/**
3614 * Gets called by Session::UpdateMachineState()
3615 * (IInternalSessionControl::updateMachineState()).
3616 *
3617 * Must be called only in certain cases (see the implementation).
3618 *
3619 * @note Locks this object for writing.
3620 */
3621HRESULT Console::updateMachineState (MachineState_T aMachineState)
3622{
3623 AutoCaller autoCaller (this);
3624 AssertComRCReturnRC (autoCaller.rc());
3625
3626 AutoWriteLock alock (this);
3627
3628 AssertReturn (mMachineState == MachineState_Saving ||
3629 mMachineState == MachineState_Discarding,
3630 E_FAIL);
3631
3632 return setMachineStateLocally (aMachineState);
3633}
3634
3635/**
3636 * @note Locks this object for writing.
3637 */
3638void Console::onMousePointerShapeChange(bool fVisible, bool fAlpha,
3639 uint32_t xHot, uint32_t yHot,
3640 uint32_t width, uint32_t height,
3641 void *pShape)
3642{
3643#if 0
3644 LogFlowThisFuncEnter();
3645 LogFlowThisFunc (("fVisible=%d, fAlpha=%d, xHot = %d, yHot = %d, width=%d, "
3646 "height=%d, shape=%p\n",
3647 fVisible, fAlpha, xHot, yHot, width, height, pShape));
3648#endif
3649
3650 AutoCaller autoCaller (this);
3651 AssertComRCReturnVoid (autoCaller.rc());
3652
3653 /* We need a write lock because we alter the cached callback data */
3654 AutoWriteLock alock (this);
3655
3656 /* Save the callback arguments */
3657 mCallbackData.mpsc.visible = fVisible;
3658 mCallbackData.mpsc.alpha = fAlpha;
3659 mCallbackData.mpsc.xHot = xHot;
3660 mCallbackData.mpsc.yHot = yHot;
3661 mCallbackData.mpsc.width = width;
3662 mCallbackData.mpsc.height = height;
3663
3664 /* start with not valid */
3665 bool wasValid = mCallbackData.mpsc.valid;
3666 mCallbackData.mpsc.valid = false;
3667
3668 if (pShape != NULL)
3669 {
3670 size_t cb = (width + 7) / 8 * height; /* size of the AND mask */
3671 cb = ((cb + 3) & ~3) + width * 4 * height; /* + gap + size of the XOR mask */
3672 /* try to reuse the old shape buffer if the size is the same */
3673 if (!wasValid)
3674 mCallbackData.mpsc.shape = NULL;
3675 else
3676 if (mCallbackData.mpsc.shape != NULL && mCallbackData.mpsc.shapeSize != cb)
3677 {
3678 RTMemFree (mCallbackData.mpsc.shape);
3679 mCallbackData.mpsc.shape = NULL;
3680 }
3681 if (mCallbackData.mpsc.shape == NULL)
3682 {
3683 mCallbackData.mpsc.shape = (BYTE *) RTMemAllocZ (cb);
3684 AssertReturnVoid (mCallbackData.mpsc.shape);
3685 }
3686 mCallbackData.mpsc.shapeSize = cb;
3687 memcpy (mCallbackData.mpsc.shape, pShape, cb);
3688 }
3689 else
3690 {
3691 if (wasValid && mCallbackData.mpsc.shape != NULL)
3692 RTMemFree (mCallbackData.mpsc.shape);
3693 mCallbackData.mpsc.shape = NULL;
3694 mCallbackData.mpsc.shapeSize = 0;
3695 }
3696
3697 mCallbackData.mpsc.valid = true;
3698
3699 CallbackList::iterator it = mCallbacks.begin();
3700 while (it != mCallbacks.end())
3701 (*it++)->OnMousePointerShapeChange (fVisible, fAlpha, xHot, yHot,
3702 width, height, (BYTE *) pShape);
3703
3704#if 0
3705 LogFlowThisFuncLeave();
3706#endif
3707}
3708
3709/**
3710 * @note Locks this object for writing.
3711 */
3712void Console::onMouseCapabilityChange (BOOL supportsAbsolute, BOOL needsHostCursor)
3713{
3714 LogFlowThisFunc (("supportsAbsolute=%d needsHostCursor=%d\n",
3715 supportsAbsolute, needsHostCursor));
3716
3717 AutoCaller autoCaller (this);
3718 AssertComRCReturnVoid (autoCaller.rc());
3719
3720 /* We need a write lock because we alter the cached callback data */
3721 AutoWriteLock alock (this);
3722
3723 /* save the callback arguments */
3724 mCallbackData.mcc.supportsAbsolute = supportsAbsolute;
3725 mCallbackData.mcc.needsHostCursor = needsHostCursor;
3726 mCallbackData.mcc.valid = true;
3727
3728 CallbackList::iterator it = mCallbacks.begin();
3729 while (it != mCallbacks.end())
3730 {
3731 Log2(("Console::onMouseCapabilityChange: calling %p\n", (void*)*it));
3732 (*it++)->OnMouseCapabilityChange (supportsAbsolute, needsHostCursor);
3733 }
3734}
3735
3736/**
3737 * @note Locks this object for reading.
3738 */
3739void Console::onStateChange (MachineState_T machineState)
3740{
3741 AutoCaller autoCaller (this);
3742 AssertComRCReturnVoid (autoCaller.rc());
3743
3744 AutoReadLock alock (this);
3745
3746 CallbackList::iterator it = mCallbacks.begin();
3747 while (it != mCallbacks.end())
3748 (*it++)->OnStateChange (machineState);
3749}
3750
3751/**
3752 * @note Locks this object for reading.
3753 */
3754void Console::onAdditionsStateChange()
3755{
3756 AutoCaller autoCaller (this);
3757 AssertComRCReturnVoid (autoCaller.rc());
3758
3759 AutoReadLock alock (this);
3760
3761 CallbackList::iterator it = mCallbacks.begin();
3762 while (it != mCallbacks.end())
3763 (*it++)->OnAdditionsStateChange();
3764}
3765
3766/**
3767 * @note Locks this object for reading.
3768 */
3769void Console::onAdditionsOutdated()
3770{
3771 AutoCaller autoCaller (this);
3772 AssertComRCReturnVoid (autoCaller.rc());
3773
3774 AutoReadLock alock (this);
3775
3776 /** @todo Use the On-Screen Display feature to report the fact.
3777 * The user should be told to install additions that are
3778 * provided with the current VBox build:
3779 * VBOX_VERSION_MAJOR.VBOX_VERSION_MINOR.VBOX_VERSION_BUILD
3780 */
3781}
3782
3783/**
3784 * @note Locks this object for writing.
3785 */
3786void Console::onKeyboardLedsChange(bool fNumLock, bool fCapsLock, bool fScrollLock)
3787{
3788 AutoCaller autoCaller (this);
3789 AssertComRCReturnVoid (autoCaller.rc());
3790
3791 /* We need a write lock because we alter the cached callback data */
3792 AutoWriteLock alock (this);
3793
3794 /* save the callback arguments */
3795 mCallbackData.klc.numLock = fNumLock;
3796 mCallbackData.klc.capsLock = fCapsLock;
3797 mCallbackData.klc.scrollLock = fScrollLock;
3798 mCallbackData.klc.valid = true;
3799
3800 CallbackList::iterator it = mCallbacks.begin();
3801 while (it != mCallbacks.end())
3802 (*it++)->OnKeyboardLedsChange(fNumLock, fCapsLock, fScrollLock);
3803}
3804
3805/**
3806 * @note Locks this object for reading.
3807 */
3808void Console::onUSBDeviceStateChange (IUSBDevice *aDevice, bool aAttached,
3809 IVirtualBoxErrorInfo *aError)
3810{
3811 AutoCaller autoCaller (this);
3812 AssertComRCReturnVoid (autoCaller.rc());
3813
3814 AutoReadLock alock (this);
3815
3816 CallbackList::iterator it = mCallbacks.begin();
3817 while (it != mCallbacks.end())
3818 (*it++)->OnUSBDeviceStateChange (aDevice, aAttached, aError);
3819}
3820
3821/**
3822 * @note Locks this object for reading.
3823 */
3824void Console::onRuntimeError (BOOL aFatal, INPTR BSTR aErrorID, INPTR BSTR aMessage)
3825{
3826 AutoCaller autoCaller (this);
3827 AssertComRCReturnVoid (autoCaller.rc());
3828
3829 AutoReadLock alock (this);
3830
3831 CallbackList::iterator it = mCallbacks.begin();
3832 while (it != mCallbacks.end())
3833 (*it++)->OnRuntimeError (aFatal, aErrorID, aMessage);
3834}
3835
3836/**
3837 * @note Locks this object for reading.
3838 */
3839HRESULT Console::onShowWindow (BOOL aCheck, BOOL *aCanShow, ULONG64 *aWinId)
3840{
3841 AssertReturn (aCanShow, E_POINTER);
3842 AssertReturn (aWinId, E_POINTER);
3843
3844 *aCanShow = FALSE;
3845 *aWinId = 0;
3846
3847 AutoCaller autoCaller (this);
3848 AssertComRCReturnRC (autoCaller.rc());
3849
3850 AutoReadLock alock (this);
3851
3852 HRESULT rc = S_OK;
3853 CallbackList::iterator it = mCallbacks.begin();
3854
3855 if (aCheck)
3856 {
3857 while (it != mCallbacks.end())
3858 {
3859 BOOL canShow = FALSE;
3860 rc = (*it++)->OnCanShowWindow (&canShow);
3861 AssertComRC (rc);
3862 if (FAILED (rc) || !canShow)
3863 return rc;
3864 }
3865 *aCanShow = TRUE;
3866 }
3867 else
3868 {
3869 while (it != mCallbacks.end())
3870 {
3871 ULONG64 winId = 0;
3872 rc = (*it++)->OnShowWindow (&winId);
3873 AssertComRC (rc);
3874 if (FAILED (rc))
3875 return rc;
3876 /* only one callback may return non-null winId */
3877 Assert (*aWinId == 0 || winId == 0);
3878 if (*aWinId == 0)
3879 *aWinId = winId;
3880 }
3881 }
3882
3883 return S_OK;
3884}
3885
3886// private methods
3887////////////////////////////////////////////////////////////////////////////////
3888
3889/**
3890 * Increases the usage counter of the mpVM pointer. Guarantees that
3891 * VMR3Destroy() will not be called on it at least until releaseVMCaller()
3892 * is called.
3893 *
3894 * If this method returns a failure, the caller is not allowed to use mpVM
3895 * and may return the failed result code to the upper level. This method sets
3896 * the extended error info on failure if \a aQuiet is false.
3897 *
3898 * Setting \a aQuiet to true is useful for methods that don't want to return
3899 * the failed result code to the caller when this method fails (e.g. need to
3900 * silently check for the mpVM avaliability).
3901 *
3902 * When mpVM is NULL but \a aAllowNullVM is true, a corresponding error will be
3903 * returned instead of asserting. Having it false is intended as a sanity check
3904 * for methods that have checked mMachineState and expect mpVM *NOT* to be NULL.
3905 *
3906 * @param aQuiet true to suppress setting error info
3907 * @param aAllowNullVM true to accept mpVM being NULL and return a failure
3908 * (otherwise this method will assert if mpVM is NULL)
3909 *
3910 * @note Locks this object for writing.
3911 */
3912HRESULT Console::addVMCaller (bool aQuiet /* = false */,
3913 bool aAllowNullVM /* = false */)
3914{
3915 AutoCaller autoCaller (this);
3916 AssertComRCReturnRC (autoCaller.rc());
3917
3918 AutoWriteLock alock (this);
3919
3920 if (mVMDestroying)
3921 {
3922 /* powerDown() is waiting for all callers to finish */
3923 return aQuiet ? E_ACCESSDENIED : setError (E_ACCESSDENIED,
3924 tr ("Virtual machine is being powered down"));
3925 }
3926
3927 if (mpVM == NULL)
3928 {
3929 Assert (aAllowNullVM == true);
3930
3931 /* The machine is not powered up */
3932 return aQuiet ? E_ACCESSDENIED : setError (E_ACCESSDENIED,
3933 tr ("Virtual machine is not powered up"));
3934 }
3935
3936 ++ mVMCallers;
3937
3938 return S_OK;
3939}
3940
3941/**
3942 * Decreases the usage counter of the mpVM pointer. Must always complete
3943 * the addVMCaller() call after the mpVM pointer is no more necessary.
3944 *
3945 * @note Locks this object for writing.
3946 */
3947void Console::releaseVMCaller()
3948{
3949 AutoCaller autoCaller (this);
3950 AssertComRCReturnVoid (autoCaller.rc());
3951
3952 AutoWriteLock alock (this);
3953
3954 AssertReturnVoid (mpVM != NULL);
3955
3956 Assert (mVMCallers > 0);
3957 -- mVMCallers;
3958
3959 if (mVMCallers == 0 && mVMDestroying)
3960 {
3961 /* inform powerDown() there are no more callers */
3962 RTSemEventSignal (mVMZeroCallersSem);
3963 }
3964}
3965
3966/**
3967 * Initialize the release logging facility. In case something
3968 * goes wrong, there will be no release logging. Maybe in the future
3969 * we can add some logic to use different file names in this case.
3970 * Note that the logic must be in sync with Machine::DeleteSettings().
3971 */
3972HRESULT Console::consoleInitReleaseLog (const ComPtr <IMachine> aMachine)
3973{
3974 HRESULT hrc = S_OK;
3975
3976 Bstr logFolder;
3977 hrc = aMachine->COMGETTER(LogFolder) (logFolder.asOutParam());
3978 CheckComRCReturnRC (hrc);
3979
3980 Utf8Str logDir = logFolder;
3981
3982 /* make sure the Logs folder exists */
3983 Assert (!logDir.isEmpty());
3984 if (!RTDirExists (logDir))
3985 RTDirCreateFullPath (logDir, 0777);
3986
3987 Utf8Str logFile = Utf8StrFmt ("%s%cVBox.log",
3988 logDir.raw(), RTPATH_DELIMITER);
3989 Utf8Str pngFile = Utf8StrFmt ("%s%cVBox.png",
3990 logDir.raw(), RTPATH_DELIMITER);
3991
3992 /*
3993 * Age the old log files
3994 * Rename .(n-1) to .(n), .(n-2) to .(n-1), ..., and the last log file to .1
3995 * Overwrite target files in case they exist.
3996 */
3997 ComPtr<IVirtualBox> virtualBox;
3998 aMachine->COMGETTER(Parent)(virtualBox.asOutParam());
3999 ComPtr <ISystemProperties> systemProperties;
4000 virtualBox->COMGETTER(SystemProperties)(systemProperties.asOutParam());
4001 ULONG uLogHistoryCount = 3;
4002 systemProperties->COMGETTER(LogHistoryCount)(&uLogHistoryCount);
4003 if (uLogHistoryCount)
4004 {
4005 for (int i = uLogHistoryCount-1; i >= 0; i--)
4006 {
4007 Utf8Str *files[] = { &logFile, &pngFile };
4008 Utf8Str oldName, newName;
4009
4010 for (unsigned int j = 0; j < ELEMENTS (files); ++ j)
4011 {
4012 if (i > 0)
4013 oldName = Utf8StrFmt ("%s.%d", files [j]->raw(), i);
4014 else
4015 oldName = *files [j];
4016 newName = Utf8StrFmt ("%s.%d", files [j]->raw(), i + 1);
4017 /* If the old file doesn't exist, delete the new file (if it
4018 * exists) to provide correct rotation even if the sequence is
4019 * broken */
4020 if ( RTFileRename (oldName, newName, RTFILEMOVE_FLAGS_REPLACE)
4021 == VERR_FILE_NOT_FOUND)
4022 RTFileDelete (newName);
4023 }
4024 }
4025 }
4026
4027 PRTLOGGER loggerRelease;
4028 static const char * const s_apszGroups[] = VBOX_LOGGROUP_NAMES;
4029 RTUINT fFlags = RTLOGFLAGS_PREFIX_TIME_PROG;
4030#if defined (RT_OS_WINDOWS) || defined (RT_OS_OS2)
4031 fFlags |= RTLOGFLAGS_USECRLF;
4032#endif
4033 char szError[RTPATH_MAX + 128] = "";
4034 int vrc = RTLogCreateEx(&loggerRelease, fFlags, "all",
4035 "VBOX_RELEASE_LOG", RT_ELEMENTS(s_apszGroups), s_apszGroups,
4036 RTLOGDEST_FILE, szError, sizeof(szError), logFile.raw());
4037 if (RT_SUCCESS(vrc))
4038 {
4039 /* some introductory information */
4040 RTTIMESPEC timeSpec;
4041 char nowUct[64];
4042 RTTimeSpecToString(RTTimeNow(&timeSpec), nowUct, sizeof(nowUct));
4043 RTLogRelLogger(loggerRelease, 0, ~0U,
4044 "VirtualBox %s r%d %s (%s %s) release log\n"
4045 "Log opened %s\n",
4046 VBOX_VERSION_STRING, VBoxSVNRev (), VBOX_BUILD_TARGET,
4047 __DATE__, __TIME__, nowUct);
4048
4049 /* register this logger as the release logger */
4050 RTLogRelSetDefaultInstance(loggerRelease);
4051 hrc = S_OK;
4052 }
4053 else
4054 hrc = setError (E_FAIL,
4055 tr ("Failed to open release log (%s, %Rrc)"), szError, vrc);
4056
4057 return hrc;
4058}
4059
4060
4061/**
4062 * Internal power off worker routine.
4063 *
4064 * This method may be called only at certain places with the folliwing meaning
4065 * as shown below:
4066 *
4067 * - if the machine state is either Running or Paused, a normal
4068 * Console-initiated powerdown takes place (e.g. PowerDown());
4069 * - if the machine state is Saving, saveStateThread() has successfully
4070 * done its job;
4071 * - if the machine state is Starting or Restoring, powerUpThread() has
4072 * failed to start/load the VM;
4073 * - if the machine state is Stopping, the VM has powered itself off
4074 * (i.e. not as a result of the powerDown() call).
4075 *
4076 * Calling it in situations other than the above will cause unexpected
4077 * behavior.
4078 *
4079 * Note that this method should be the only one that destroys mpVM and sets
4080 * it to NULL.
4081 *
4082 * @note Locks this object for writing.
4083 *
4084 * @note Never call this method from a thread that called addVMCaller() or
4085 * instantiated an AutoVMCaller object; first call releaseVMCaller() or
4086 * release(). Otherwise it will deadlock.
4087 */
4088HRESULT Console::powerDown()
4089{
4090 LogFlowThisFuncEnter();
4091
4092 AutoCaller autoCaller (this);
4093 AssertComRCReturnRC (autoCaller.rc());
4094
4095 AutoWriteLock alock (this);
4096 int vrc = VINF_SUCCESS;
4097
4098 /* sanity */
4099 AssertReturn (mVMDestroying == false, E_FAIL);
4100
4101 LogRel (("Console::powerDown(): a request to power off the VM has been issued "
4102 "(mMachineState=%d, InUninit=%d)\n",
4103 mMachineState, autoCaller.state() == InUninit));
4104
4105 /*
4106 * Stop the VRDP server to prevent new clients connection while VM is being powered off.
4107 */
4108 if (mConsoleVRDPServer)
4109 {
4110 LogFlowThisFunc (("Stopping VRDP server...\n"));
4111
4112 /* Leave the lock since EMT will call us back as addVMCaller in updateDisplayData(). */
4113 alock.leave();
4114
4115 mConsoleVRDPServer->Stop();
4116
4117 alock.enter();
4118 }
4119
4120
4121#ifdef VBOX_HGCM
4122 /*
4123 * Shutdown HGCM services before stopping the guest, because they might need a cleanup.
4124 */
4125 if (mVMMDev)
4126 {
4127 LogFlowThisFunc (("Shutdown HGCM...\n"));
4128
4129 /* Leave the lock. */
4130 alock.leave();
4131
4132 mVMMDev->hgcmShutdown ();
4133
4134 alock.enter();
4135 }
4136# ifdef VBOX_WITH_INFO_SVC
4137 /* Save all guest/host property store entries to the machine XML
4138 * file as extra data. */
4139 PCFGMNODE pRegistry = CFGMR3GetChild (CFGMR3GetRoot (mpVM), "Guest/Registry/");
4140 PCFGMLEAF pValue = CFGMR3GetFirstValue (pRegistry);
4141 vrc = VINF_SUCCESS;
4142 while (pValue != NULL && RT_SUCCESS(vrc))
4143 {
4144 using namespace svcInfo;
4145 char szKeyName[KEY_MAX_LEN];
4146 char szKeyValue[KEY_MAX_VALUE_LEN];
4147 char szExtraDataName[VBOX_SHARED_INFO_PREFIX_LEN + KEY_MAX_LEN];
4148 vrc = CFGMR3GetValueName (pValue, szKeyName, KEY_MAX_LEN);
4149 if (RT_SUCCESS(vrc))
4150 vrc = CFGMR3QueryString (pRegistry, szKeyName, szKeyValue, sizeof(szKeyValue));
4151 if (RT_SUCCESS(vrc))
4152 {
4153 strcpy(szExtraDataName, VBOX_SHARED_INFO_KEY_PREFIX);
4154 strncpy(szExtraDataName + VBOX_SHARED_INFO_PREFIX_LEN, szKeyName, sizeof(szKeyName));
4155 szExtraDataName[sizeof(szExtraDataName) - 1] = 0;
4156 }
4157 if (RT_SUCCESS(vrc))
4158 if (FAILED(mMachine->SetExtraData(Bstr(szExtraDataName).raw(), Bstr(szKeyValue).raw())))
4159 vrc = VERR_UNRESOLVED_ERROR; /* We only need to know that we have to stop. */
4160 if (RT_SUCCESS(vrc))
4161 pValue = CFGMR3GetNextValue (pValue);
4162 }
4163# endif /* VBOX_WITH_INFO_SVC defined */
4164#endif /* VBOX_HGCM */
4165
4166 /* First, wait for all mpVM callers to finish their work if necessary */
4167 if (mVMCallers > 0)
4168 {
4169 /* go to the destroying state to prevent from adding new callers */
4170 mVMDestroying = true;
4171
4172 /* lazy creation */
4173 if (mVMZeroCallersSem == NIL_RTSEMEVENT)
4174 RTSemEventCreate (&mVMZeroCallersSem);
4175
4176 LogFlowThisFunc (("Waiting for mpVM callers (%d) to drop to zero...\n",
4177 mVMCallers));
4178
4179 alock.leave();
4180
4181 RTSemEventWait (mVMZeroCallersSem, RT_INDEFINITE_WAIT);
4182
4183 alock.enter();
4184 }
4185
4186 AssertReturn (mpVM, E_FAIL);
4187
4188 AssertMsg (mMachineState == MachineState_Running ||
4189 mMachineState == MachineState_Paused ||
4190 mMachineState == MachineState_Stuck ||
4191 mMachineState == MachineState_Saving ||
4192 mMachineState == MachineState_Starting ||
4193 mMachineState == MachineState_Restoring ||
4194 mMachineState == MachineState_Stopping,
4195 ("Invalid machine state: %d\n", mMachineState));
4196
4197 HRESULT rc = S_OK;
4198 vrc = VINF_SUCCESS;
4199
4200 /*
4201 * Power off the VM if not already done that. In case of Stopping, the VM
4202 * has powered itself off and notified Console in vmstateChangeCallback().
4203 * In case of Starting or Restoring, powerUpThread() is calling us on
4204 * failure, so the VM is already off at that point.
4205 */
4206 if (mMachineState != MachineState_Stopping &&
4207 mMachineState != MachineState_Starting &&
4208 mMachineState != MachineState_Restoring)
4209 {
4210 /*
4211 * don't go from Saving to Stopping, vmstateChangeCallback needs it
4212 * to set the state to Saved on VMSTATE_TERMINATED.
4213 */
4214 if (mMachineState != MachineState_Saving)
4215 setMachineState (MachineState_Stopping);
4216
4217 LogFlowThisFunc (("Powering off the VM...\n"));
4218
4219 /* Leave the lock since EMT will call us back on VMR3PowerOff() */
4220 alock.leave();
4221
4222 vrc = VMR3PowerOff (mpVM);
4223 /*
4224 * Note that VMR3PowerOff() may fail here (invalid VMSTATE) if the
4225 * VM-(guest-)initiated power off happened in parallel a ms before
4226 * this call. So far, we let this error pop up on the user's side.
4227 */
4228
4229 alock.enter();
4230 }
4231
4232 LogFlowThisFunc (("Ready for VM destruction\n"));
4233
4234 /*
4235 * If we are called from Console::uninit(), then try to destroy the VM
4236 * even on failure (this will most likely fail too, but what to do?..)
4237 */
4238 if (VBOX_SUCCESS (vrc) || autoCaller.state() == InUninit)
4239 {
4240 /* If the machine has an USB comtroller, release all USB devices
4241 * (symmetric to the code in captureUSBDevices()) */
4242 bool fHasUSBController = false;
4243 {
4244 PPDMIBASE pBase;
4245 int vrc = PDMR3QueryLun (mpVM, "usb-ohci", 0, 0, &pBase);
4246 if (VBOX_SUCCESS (vrc))
4247 {
4248 fHasUSBController = true;
4249 detachAllUSBDevices (false /* aDone */);
4250 }
4251 }
4252
4253 /*
4254 * Now we've got to destroy the VM as well. (mpVM is not valid
4255 * beyond this point). We leave the lock before calling VMR3Destroy()
4256 * because it will result into calling destructors of drivers
4257 * associated with Console children which may in turn try to lock
4258 * Console (e.g. by instantiating SafeVMPtr to access mpVM). It's safe
4259 * here because mVMDestroying is set which should prevent any activity.
4260 */
4261
4262 /*
4263 * Set mpVM to NULL early just in case if some old code is not using
4264 * addVMCaller()/releaseVMCaller().
4265 */
4266 PVM pVM = mpVM;
4267 mpVM = NULL;
4268
4269 LogFlowThisFunc (("Destroying the VM...\n"));
4270
4271 alock.leave();
4272
4273 vrc = VMR3Destroy (pVM);
4274
4275 /* take the lock again */
4276 alock.enter();
4277
4278 if (VBOX_SUCCESS (vrc))
4279 {
4280 LogFlowThisFunc (("Machine has been destroyed (mMachineState=%d)\n",
4281 mMachineState));
4282 /*
4283 * Note: the Console-level machine state change happens on the
4284 * VMSTATE_TERMINATE state change in vmstateChangeCallback(). If
4285 * powerDown() is called from EMT (i.e. from vmstateChangeCallback()
4286 * on receiving VM-initiated VMSTATE_OFF), VMSTATE_TERMINATE hasn't
4287 * occured yet. This is okay, because mMachineState is already
4288 * Stopping in this case, so any other attempt to call PowerDown()
4289 * will be rejected.
4290 */
4291 }
4292 else
4293 {
4294 /* bad bad bad, but what to do? */
4295 mpVM = pVM;
4296 rc = setError (E_FAIL,
4297 tr ("Could not destroy the machine. (Error: %Vrc)"), vrc);
4298 }
4299
4300 /*
4301 * Complete the detaching of the USB devices.
4302 */
4303 if (fHasUSBController)
4304 detachAllUSBDevices (true /* aDone */);
4305 }
4306 else
4307 {
4308 rc = setError (E_FAIL,
4309 tr ("Could not power off the machine. (Error: %Vrc)"), vrc);
4310 }
4311
4312 /*
4313 * Finished with destruction. Note that if something impossible happened
4314 * and we've failed to destroy the VM, mVMDestroying will remain false and
4315 * mMachineState will be something like Stopping, so most Console methods
4316 * will return an error to the caller.
4317 */
4318 if (mpVM == NULL)
4319 mVMDestroying = false;
4320
4321 if (SUCCEEDED (rc))
4322 {
4323 /* uninit dynamically allocated members of mCallbackData */
4324 if (mCallbackData.mpsc.valid)
4325 {
4326 if (mCallbackData.mpsc.shape != NULL)
4327 RTMemFree (mCallbackData.mpsc.shape);
4328 }
4329 memset (&mCallbackData, 0, sizeof (mCallbackData));
4330 }
4331
4332 LogFlowThisFuncLeave();
4333 return rc;
4334}
4335
4336/**
4337 * @note Locks this object for writing.
4338 */
4339HRESULT Console::setMachineState (MachineState_T aMachineState,
4340 bool aUpdateServer /* = true */)
4341{
4342 AutoCaller autoCaller (this);
4343 AssertComRCReturnRC (autoCaller.rc());
4344
4345 AutoWriteLock alock (this);
4346
4347 HRESULT rc = S_OK;
4348
4349 if (mMachineState != aMachineState)
4350 {
4351 LogFlowThisFunc (("machineState=%d\n", aMachineState));
4352 mMachineState = aMachineState;
4353
4354 /// @todo (dmik)
4355 // possibly, we need to redo onStateChange() using the dedicated
4356 // Event thread, like it is done in VirtualBox. This will make it
4357 // much safer (no deadlocks possible if someone tries to use the
4358 // console from the callback), however, listeners will lose the
4359 // ability to synchronously react to state changes (is it really
4360 // necessary??)
4361 LogFlowThisFunc (("Doing onStateChange()...\n"));
4362 onStateChange (aMachineState);
4363 LogFlowThisFunc (("Done onStateChange()\n"));
4364
4365 if (aUpdateServer)
4366 {
4367 /*
4368 * Server notification MUST be done from under the lock; otherwise
4369 * the machine state here and on the server might go out of sync, that
4370 * can lead to various unexpected results (like the machine state being
4371 * >= MachineState_Running on the server, while the session state is
4372 * already SessionState_Closed at the same time there).
4373 *
4374 * Cross-lock conditions should be carefully watched out: calling
4375 * UpdateState we will require Machine and SessionMachine locks
4376 * (remember that here we're holding the Console lock here, and
4377 * also all locks that have been entered by the thread before calling
4378 * this method).
4379 */
4380 LogFlowThisFunc (("Doing mControl->UpdateState()...\n"));
4381 rc = mControl->UpdateState (aMachineState);
4382 LogFlowThisFunc (("mControl->UpdateState()=%08X\n", rc));
4383 }
4384 }
4385
4386 return rc;
4387}
4388
4389/**
4390 * Searches for a shared folder with the given logical name
4391 * in the collection of shared folders.
4392 *
4393 * @param aName logical name of the shared folder
4394 * @param aSharedFolder where to return the found object
4395 * @param aSetError whether to set the error info if the folder is
4396 * not found
4397 * @return
4398 * S_OK when found or E_INVALIDARG when not found
4399 *
4400 * @note The caller must lock this object for writing.
4401 */
4402HRESULT Console::findSharedFolder (const BSTR aName,
4403 ComObjPtr <SharedFolder> &aSharedFolder,
4404 bool aSetError /* = false */)
4405{
4406 /* sanity check */
4407 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
4408
4409 SharedFolderMap::const_iterator it = mSharedFolders.find (aName);
4410 if (it != mSharedFolders.end())
4411 {
4412 aSharedFolder = it->second;
4413 return S_OK;
4414 }
4415
4416 if (aSetError)
4417 setError (E_INVALIDARG,
4418 tr ("Could not find a shared folder named '%ls'."), aName);
4419
4420 return E_INVALIDARG;
4421}
4422
4423/**
4424 * Fetches the list of global or machine shared folders from the server.
4425 *
4426 * @param aGlobal true to fetch global folders.
4427 *
4428 * @note The caller must lock this object for writing.
4429 */
4430HRESULT Console::fetchSharedFolders (BOOL aGlobal)
4431{
4432 /* sanity check */
4433 AssertReturn (AutoCaller (this).state() == InInit ||
4434 isWriteLockOnCurrentThread(), E_FAIL);
4435
4436 /* protect mpVM (if not NULL) */
4437 AutoVMCallerQuietWeak autoVMCaller (this);
4438
4439 HRESULT rc = S_OK;
4440
4441 bool online = mpVM && autoVMCaller.isOk() && mVMMDev->isShFlActive();
4442
4443 if (aGlobal)
4444 {
4445 /// @todo grab & process global folders when they are done
4446 }
4447 else
4448 {
4449 SharedFolderDataMap oldFolders;
4450 if (online)
4451 oldFolders = mMachineSharedFolders;
4452
4453 mMachineSharedFolders.clear();
4454
4455 ComPtr <ISharedFolderCollection> coll;
4456 rc = mMachine->COMGETTER(SharedFolders) (coll.asOutParam());
4457 AssertComRCReturnRC (rc);
4458
4459 ComPtr <ISharedFolderEnumerator> en;
4460 rc = coll->Enumerate (en.asOutParam());
4461 AssertComRCReturnRC (rc);
4462
4463 BOOL hasMore = FALSE;
4464 while (SUCCEEDED (rc = en->HasMore (&hasMore)) && hasMore)
4465 {
4466 ComPtr <ISharedFolder> folder;
4467 rc = en->GetNext (folder.asOutParam());
4468 CheckComRCBreakRC (rc);
4469
4470 Bstr name;
4471 Bstr hostPath;
4472 BOOL writable;
4473
4474 rc = folder->COMGETTER(Name) (name.asOutParam());
4475 CheckComRCBreakRC (rc);
4476 rc = folder->COMGETTER(HostPath) (hostPath.asOutParam());
4477 CheckComRCBreakRC (rc);
4478 rc = folder->COMGETTER(Writable) (&writable);
4479
4480 mMachineSharedFolders.insert (std::make_pair (name, SharedFolderData (hostPath, writable)));
4481
4482 /* send changes to HGCM if the VM is running */
4483 /// @todo report errors as runtime warnings through VMSetError
4484 if (online)
4485 {
4486 SharedFolderDataMap::iterator it = oldFolders.find (name);
4487 if (it == oldFolders.end() || it->second.mHostPath != hostPath)
4488 {
4489 /* a new machine folder is added or
4490 * the existing machine folder is changed */
4491 if (mSharedFolders.find (name) != mSharedFolders.end())
4492 ; /* the console folder exists, nothing to do */
4493 else
4494 {
4495 /* remove the old machhine folder (when changed)
4496 * or the global folder if any (when new) */
4497 if (it != oldFolders.end() ||
4498 mGlobalSharedFolders.find (name) !=
4499 mGlobalSharedFolders.end())
4500 rc = removeSharedFolder (name);
4501 /* create the new machine folder */
4502 rc = createSharedFolder (name, SharedFolderData (hostPath, writable));
4503 }
4504 }
4505 /* forget the processed (or identical) folder */
4506 if (it != oldFolders.end())
4507 oldFolders.erase (it);
4508
4509 rc = S_OK;
4510 }
4511 }
4512
4513 AssertComRCReturnRC (rc);
4514
4515 /* process outdated (removed) folders */
4516 /// @todo report errors as runtime warnings through VMSetError
4517 if (online)
4518 {
4519 for (SharedFolderDataMap::const_iterator it = oldFolders.begin();
4520 it != oldFolders.end(); ++ it)
4521 {
4522 if (mSharedFolders.find (it->first) != mSharedFolders.end())
4523 ; /* the console folder exists, nothing to do */
4524 else
4525 {
4526 /* remove the outdated machine folder */
4527 rc = removeSharedFolder (it->first);
4528 /* create the global folder if there is any */
4529 SharedFolderDataMap::const_iterator git =
4530 mGlobalSharedFolders.find (it->first);
4531 if (git != mGlobalSharedFolders.end())
4532 rc = createSharedFolder (git->first, git->second);
4533 }
4534 }
4535
4536 rc = S_OK;
4537 }
4538 }
4539
4540 return rc;
4541}
4542
4543/**
4544 * Searches for a shared folder with the given name in the list of machine
4545 * shared folders and then in the list of the global shared folders.
4546 *
4547 * @param aName Name of the folder to search for.
4548 * @param aIt Where to store the pointer to the found folder.
4549 * @return @c true if the folder was found and @c false otherwise.
4550 *
4551 * @note The caller must lock this object for reading.
4552 */
4553bool Console::findOtherSharedFolder (INPTR BSTR aName,
4554 SharedFolderDataMap::const_iterator &aIt)
4555{
4556 /* sanity check */
4557 AssertReturn (isWriteLockOnCurrentThread(), false);
4558
4559 /* first, search machine folders */
4560 aIt = mMachineSharedFolders.find (aName);
4561 if (aIt != mMachineSharedFolders.end())
4562 return true;
4563
4564 /* second, search machine folders */
4565 aIt = mGlobalSharedFolders.find (aName);
4566 if (aIt != mGlobalSharedFolders.end())
4567 return true;
4568
4569 return false;
4570}
4571
4572/**
4573 * Calls the HGCM service to add a shared folder definition.
4574 *
4575 * @param aName Shared folder name.
4576 * @param aHostPath Shared folder path.
4577 *
4578 * @note Must be called from under AutoVMCaller and when mpVM != NULL!
4579 * @note Doesn't lock anything.
4580 */
4581HRESULT Console::createSharedFolder (INPTR BSTR aName, SharedFolderData aData)
4582{
4583 ComAssertRet (aName && *aName, E_FAIL);
4584 ComAssertRet (aData.mHostPath, E_FAIL);
4585
4586 /* sanity checks */
4587 AssertReturn (mpVM, E_FAIL);
4588 AssertReturn (mVMMDev->isShFlActive(), E_FAIL);
4589
4590 VBOXHGCMSVCPARM parms[SHFL_CPARMS_ADD_MAPPING];
4591 SHFLSTRING *pFolderName, *pMapName;
4592 size_t cbString;
4593
4594 Log (("Adding shared folder '%ls' -> '%ls'\n", aName, aData.mHostPath.raw()));
4595
4596 cbString = (RTUtf16Len (aData.mHostPath) + 1) * sizeof (RTUTF16);
4597 if (cbString >= UINT16_MAX)
4598 return setError (E_INVALIDARG, tr ("The name is too long"));
4599 pFolderName = (SHFLSTRING *) RTMemAllocZ (sizeof (SHFLSTRING) + cbString);
4600 Assert (pFolderName);
4601 memcpy (pFolderName->String.ucs2, aData.mHostPath, cbString);
4602
4603 pFolderName->u16Size = (uint16_t)cbString;
4604 pFolderName->u16Length = (uint16_t)cbString - sizeof(RTUTF16);
4605
4606 parms[0].type = VBOX_HGCM_SVC_PARM_PTR;
4607 parms[0].u.pointer.addr = pFolderName;
4608 parms[0].u.pointer.size = sizeof (SHFLSTRING) + (uint16_t)cbString;
4609
4610 cbString = (RTUtf16Len (aName) + 1) * sizeof (RTUTF16);
4611 if (cbString >= UINT16_MAX)
4612 {
4613 RTMemFree (pFolderName);
4614 return setError (E_INVALIDARG, tr ("The host path is too long"));
4615 }
4616 pMapName = (SHFLSTRING *) RTMemAllocZ (sizeof(SHFLSTRING) + cbString);
4617 Assert (pMapName);
4618 memcpy (pMapName->String.ucs2, aName, cbString);
4619
4620 pMapName->u16Size = (uint16_t)cbString;
4621 pMapName->u16Length = (uint16_t)cbString - sizeof (RTUTF16);
4622
4623 parms[1].type = VBOX_HGCM_SVC_PARM_PTR;
4624 parms[1].u.pointer.addr = pMapName;
4625 parms[1].u.pointer.size = sizeof (SHFLSTRING) + (uint16_t)cbString;
4626
4627 parms[2].type = VBOX_HGCM_SVC_PARM_32BIT;
4628 parms[2].u.uint32 = aData.mWritable;
4629
4630 int vrc = mVMMDev->hgcmHostCall ("VBoxSharedFolders",
4631 SHFL_FN_ADD_MAPPING,
4632 SHFL_CPARMS_ADD_MAPPING, &parms[0]);
4633 RTMemFree (pFolderName);
4634 RTMemFree (pMapName);
4635
4636 if (VBOX_FAILURE (vrc))
4637 return setError (E_FAIL,
4638 tr ("Could not create a shared folder '%ls' "
4639 "mapped to '%ls' (%Vrc)"),
4640 aName, aData.mHostPath.raw(), vrc);
4641
4642 return S_OK;
4643}
4644
4645/**
4646 * Calls the HGCM service to remove the shared folder definition.
4647 *
4648 * @param aName Shared folder name.
4649 *
4650 * @note Must be called from under AutoVMCaller and when mpVM != NULL!
4651 * @note Doesn't lock anything.
4652 */
4653HRESULT Console::removeSharedFolder (INPTR BSTR aName)
4654{
4655 ComAssertRet (aName && *aName, E_FAIL);
4656
4657 /* sanity checks */
4658 AssertReturn (mpVM, E_FAIL);
4659 AssertReturn (mVMMDev->isShFlActive(), E_FAIL);
4660
4661 VBOXHGCMSVCPARM parms;
4662 SHFLSTRING *pMapName;
4663 size_t cbString;
4664
4665 Log (("Removing shared folder '%ls'\n", aName));
4666
4667 cbString = (RTUtf16Len (aName) + 1) * sizeof (RTUTF16);
4668 if (cbString >= UINT16_MAX)
4669 return setError (E_INVALIDARG, tr ("The name is too long"));
4670 pMapName = (SHFLSTRING *) RTMemAllocZ (sizeof (SHFLSTRING) + cbString);
4671 Assert (pMapName);
4672 memcpy (pMapName->String.ucs2, aName, cbString);
4673
4674 pMapName->u16Size = (uint16_t)cbString;
4675 pMapName->u16Length = (uint16_t)cbString - sizeof (RTUTF16);
4676
4677 parms.type = VBOX_HGCM_SVC_PARM_PTR;
4678 parms.u.pointer.addr = pMapName;
4679 parms.u.pointer.size = sizeof (SHFLSTRING) + (uint16_t)cbString;
4680
4681 int vrc = mVMMDev->hgcmHostCall ("VBoxSharedFolders",
4682 SHFL_FN_REMOVE_MAPPING,
4683 1, &parms);
4684 RTMemFree(pMapName);
4685 if (VBOX_FAILURE (vrc))
4686 return setError (E_FAIL,
4687 tr ("Could not remove the shared folder '%ls' (%Vrc)"),
4688 aName, vrc);
4689
4690 return S_OK;
4691}
4692
4693/**
4694 * VM state callback function. Called by the VMM
4695 * using its state machine states.
4696 *
4697 * Primarily used to handle VM initiated power off, suspend and state saving,
4698 * but also for doing termination completed work (VMSTATE_TERMINATE).
4699 *
4700 * In general this function is called in the context of the EMT.
4701 *
4702 * @param aVM The VM handle.
4703 * @param aState The new state.
4704 * @param aOldState The old state.
4705 * @param aUser The user argument (pointer to the Console object).
4706 *
4707 * @note Locks the Console object for writing.
4708 */
4709DECLCALLBACK(void)
4710Console::vmstateChangeCallback (PVM aVM, VMSTATE aState, VMSTATE aOldState,
4711 void *aUser)
4712{
4713 LogFlowFunc (("Changing state from %d to %d (aVM=%p)\n",
4714 aOldState, aState, aVM));
4715
4716 Console *that = static_cast <Console *> (aUser);
4717 AssertReturnVoid (that);
4718
4719 AutoCaller autoCaller (that);
4720 /*
4721 * Note that we must let this method proceed even if Console::uninit() has
4722 * been already called. In such case this VMSTATE change is a result of:
4723 * 1) powerDown() called from uninit() itself, or
4724 * 2) VM-(guest-)initiated power off.
4725 */
4726 AssertReturnVoid (autoCaller.isOk() ||
4727 autoCaller.state() == InUninit);
4728
4729 switch (aState)
4730 {
4731 /*
4732 * The VM has terminated
4733 */
4734 case VMSTATE_OFF:
4735 {
4736 AutoWriteLock alock (that);
4737
4738 if (that->mVMStateChangeCallbackDisabled)
4739 break;
4740
4741 /*
4742 * Do we still think that it is running? It may happen if this is
4743 * a VM-(guest-)initiated shutdown/poweroff.
4744 */
4745 if (that->mMachineState != MachineState_Stopping &&
4746 that->mMachineState != MachineState_Saving &&
4747 that->mMachineState != MachineState_Restoring)
4748 {
4749 LogFlowFunc (("VM has powered itself off but Console still "
4750 "thinks it is running. Notifying.\n"));
4751
4752 /* prevent powerDown() from calling VMR3PowerOff() again */
4753 that->setMachineState (MachineState_Stopping);
4754
4755 /*
4756 * Setup task object and thread to carry out the operation
4757 * asynchronously (if we call powerDown() right here but there
4758 * is one or more mpVM callers (added with addVMCaller()) we'll
4759 * deadlock.
4760 */
4761 std::auto_ptr <VMTask> task (new VMTask (that, true /* aUsesVMPtr */));
4762 /*
4763 * If creating a task is falied, this can currently mean one
4764 * of two: either Console::uninit() has been called just a ms
4765 * before (so a powerDown() call is already on the way), or
4766 * powerDown() itself is being already executed. Just do
4767 * nothing .
4768 */
4769 if (!task->isOk())
4770 {
4771 LogFlowFunc (("Console is already being uninitialized.\n"));
4772 break;
4773 }
4774
4775 int vrc = RTThreadCreate (NULL, Console::powerDownThread,
4776 (void *) task.get(), 0,
4777 RTTHREADTYPE_MAIN_WORKER, 0,
4778 "VMPowerDowm");
4779
4780 AssertMsgRC (vrc, ("Could not create VMPowerUp thread (%Vrc)\n", vrc));
4781 if (VBOX_FAILURE (vrc))
4782 break;
4783
4784 /* task is now owned by powerDownThread(), so release it */
4785 task.release();
4786 }
4787 break;
4788 }
4789
4790 /*
4791 * The VM has been completely destroyed.
4792 *
4793 * Note: This state change can happen at two points:
4794 * 1) At the end of VMR3Destroy() if it was not called from EMT.
4795 * 2) At the end of vmR3EmulationThread if VMR3Destroy() was
4796 * called by EMT.
4797 */
4798 case VMSTATE_TERMINATED:
4799 {
4800 AutoWriteLock alock (that);
4801
4802 if (that->mVMStateChangeCallbackDisabled)
4803 break;
4804
4805 /*
4806 * Terminate host interface networking. If aVM is NULL, we've been
4807 * manually called from powerUpThread() either before calling
4808 * VMR3Create() or after VMR3Create() failed, so no need to touch
4809 * networking.
4810 */
4811 if (aVM)
4812 that->powerDownHostInterfaces();
4813
4814 /*
4815 * From now on the machine is officially powered down or
4816 * remains in the Saved state.
4817 */
4818 switch (that->mMachineState)
4819 {
4820 default:
4821 AssertFailed();
4822 /* fall through */
4823 case MachineState_Stopping:
4824 /* successfully powered down */
4825 that->setMachineState (MachineState_PoweredOff);
4826 break;
4827 case MachineState_Saving:
4828 /*
4829 * successfully saved (note that the machine is already
4830 * in the Saved state on the server due to EndSavingState()
4831 * called from saveStateThread(), so only change the local
4832 * state)
4833 */
4834 that->setMachineStateLocally (MachineState_Saved);
4835 break;
4836 case MachineState_Starting:
4837 /*
4838 * failed to start, but be patient: set back to PoweredOff
4839 * (for similarity with the below)
4840 */
4841 that->setMachineState (MachineState_PoweredOff);
4842 break;
4843 case MachineState_Restoring:
4844 /*
4845 * failed to load the saved state file, but be patient:
4846 * set back to Saved (to preserve the saved state file)
4847 */
4848 that->setMachineState (MachineState_Saved);
4849 break;
4850 }
4851
4852 break;
4853 }
4854
4855 case VMSTATE_SUSPENDED:
4856 {
4857 if (aOldState == VMSTATE_RUNNING)
4858 {
4859 AutoWriteLock alock (that);
4860
4861 if (that->mVMStateChangeCallbackDisabled)
4862 break;
4863
4864 /* Change the machine state from Running to Paused */
4865 Assert (that->mMachineState == MachineState_Running);
4866 that->setMachineState (MachineState_Paused);
4867 }
4868
4869 break;
4870 }
4871
4872 case VMSTATE_RUNNING:
4873 {
4874 if (aOldState == VMSTATE_CREATED ||
4875 aOldState == VMSTATE_SUSPENDED)
4876 {
4877 AutoWriteLock alock (that);
4878
4879 if (that->mVMStateChangeCallbackDisabled)
4880 break;
4881
4882 /*
4883 * Change the machine state from Starting, Restoring or Paused
4884 * to Running
4885 */
4886 Assert ((that->mMachineState == MachineState_Starting &&
4887 aOldState == VMSTATE_CREATED) ||
4888 ((that->mMachineState == MachineState_Restoring ||
4889 that->mMachineState == MachineState_Paused) &&
4890 aOldState == VMSTATE_SUSPENDED));
4891
4892 that->setMachineState (MachineState_Running);
4893 }
4894
4895 break;
4896 }
4897
4898 case VMSTATE_GURU_MEDITATION:
4899 {
4900 AutoWriteLock alock (that);
4901
4902 if (that->mVMStateChangeCallbackDisabled)
4903 break;
4904
4905 /* Guru respects only running VMs */
4906 Assert ((that->mMachineState >= MachineState_Running));
4907
4908 that->setMachineState (MachineState_Stuck);
4909
4910 break;
4911 }
4912
4913 default: /* shut up gcc */
4914 break;
4915 }
4916}
4917
4918#ifdef VBOX_WITH_USB
4919
4920/**
4921 * Sends a request to VMM to attach the given host device.
4922 * After this method succeeds, the attached device will appear in the
4923 * mUSBDevices collection.
4924 *
4925 * @param aHostDevice device to attach
4926 *
4927 * @note Synchronously calls EMT.
4928 * @note Must be called from under this object's lock.
4929 */
4930HRESULT Console::attachUSBDevice (IUSBDevice *aHostDevice, ULONG aMaskedIfs)
4931{
4932 AssertReturn (aHostDevice, E_FAIL);
4933 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
4934
4935 /* still want a lock object because we need to leave it */
4936 AutoWriteLock alock (this);
4937
4938 HRESULT hrc;
4939
4940 /*
4941 * Get the address and the Uuid, and call the pfnCreateProxyDevice roothub
4942 * method in EMT (using usbAttachCallback()).
4943 */
4944 Bstr BstrAddress;
4945 hrc = aHostDevice->COMGETTER (Address) (BstrAddress.asOutParam());
4946 ComAssertComRCRetRC (hrc);
4947
4948 Utf8Str Address (BstrAddress);
4949
4950 Guid Uuid;
4951 hrc = aHostDevice->COMGETTER (Id) (Uuid.asOutParam());
4952 ComAssertComRCRetRC (hrc);
4953
4954 BOOL fRemote = FALSE;
4955 hrc = aHostDevice->COMGETTER (Remote) (&fRemote);
4956 ComAssertComRCRetRC (hrc);
4957
4958 /* protect mpVM */
4959 AutoVMCaller autoVMCaller (this);
4960 CheckComRCReturnRC (autoVMCaller.rc());
4961
4962 LogFlowThisFunc (("Proxying USB device '%s' {%Vuuid}...\n",
4963 Address.raw(), Uuid.ptr()));
4964
4965 /* leave the lock before a VMR3* call (EMT will call us back)! */
4966 alock.leave();
4967
4968/** @todo just do everything here and only wrap the PDMR3Usb call. That'll offload some notification stuff from the EMT thread. */
4969 PVMREQ pReq = NULL;
4970 int vrc = VMR3ReqCall (mpVM, &pReq, RT_INDEFINITE_WAIT,
4971 (PFNRT) usbAttachCallback, 6, this, aHostDevice, Uuid.ptr(), fRemote, Address.raw(), aMaskedIfs);
4972 if (VBOX_SUCCESS (vrc))
4973 vrc = pReq->iStatus;
4974 VMR3ReqFree (pReq);
4975
4976 /* restore the lock */
4977 alock.enter();
4978
4979 /* hrc is S_OK here */
4980
4981 if (VBOX_FAILURE (vrc))
4982 {
4983 LogWarningThisFunc (("Failed to create proxy device for '%s' {%Vuuid} (%Vrc)\n",
4984 Address.raw(), Uuid.ptr(), vrc));
4985
4986 switch (vrc)
4987 {
4988 case VERR_VUSB_NO_PORTS:
4989 hrc = setError (E_FAIL,
4990 tr ("Failed to attach the USB device. (No available ports on the USB controller)."));
4991 break;
4992 case VERR_VUSB_USBFS_PERMISSION:
4993 hrc = setError (E_FAIL,
4994 tr ("Not permitted to open the USB device, check usbfs options"));
4995 break;
4996 default:
4997 hrc = setError (E_FAIL,
4998 tr ("Failed to create a proxy device for the USB device. (Error: %Vrc)"), vrc);
4999 break;
5000 }
5001 }
5002
5003 return hrc;
5004}
5005
5006/**
5007 * USB device attach callback used by AttachUSBDevice().
5008 * Note that AttachUSBDevice() doesn't return until this callback is executed,
5009 * so we don't use AutoCaller and don't care about reference counters of
5010 * interface pointers passed in.
5011 *
5012 * @thread EMT
5013 * @note Locks the console object for writing.
5014 */
5015//static
5016DECLCALLBACK(int)
5017Console::usbAttachCallback (Console *that, IUSBDevice *aHostDevice, PCRTUUID aUuid, bool aRemote, const char *aAddress, ULONG aMaskedIfs)
5018{
5019 LogFlowFuncEnter();
5020 LogFlowFunc (("that={%p}\n", that));
5021
5022 AssertReturn (that && aUuid, VERR_INVALID_PARAMETER);
5023
5024 void *pvRemoteBackend = NULL;
5025 if (aRemote)
5026 {
5027 RemoteUSBDevice *pRemoteUSBDevice = static_cast <RemoteUSBDevice *> (aHostDevice);
5028 Guid guid (*aUuid);
5029
5030 pvRemoteBackend = that->consoleVRDPServer ()->USBBackendRequestPointer (pRemoteUSBDevice->clientId (), &guid);
5031 if (!pvRemoteBackend)
5032 return VERR_INVALID_PARAMETER; /* The clientId is invalid then. */
5033 }
5034
5035 USHORT portVersion = 1;
5036 HRESULT hrc = aHostDevice->COMGETTER(PortVersion)(&portVersion);
5037 AssertComRCReturn(hrc, VERR_GENERAL_FAILURE);
5038 Assert(portVersion == 1 || portVersion == 2);
5039
5040 int vrc = PDMR3USBCreateProxyDevice (that->mpVM, aUuid, aRemote, aAddress, pvRemoteBackend,
5041 portVersion == 1 ? VUSB_STDVER_11 : VUSB_STDVER_20, aMaskedIfs);
5042 if (VBOX_SUCCESS (vrc))
5043 {
5044 /* Create a OUSBDevice and add it to the device list */
5045 ComObjPtr <OUSBDevice> device;
5046 device.createObject();
5047 HRESULT hrc = device->init (aHostDevice);
5048 AssertComRC (hrc);
5049
5050 AutoWriteLock alock (that);
5051 that->mUSBDevices.push_back (device);
5052 LogFlowFunc (("Attached device {%Vuuid}\n", device->id().raw()));
5053
5054 /* notify callbacks */
5055 that->onUSBDeviceStateChange (device, true /* aAttached */, NULL);
5056 }
5057
5058 LogFlowFunc (("vrc=%Vrc\n", vrc));
5059 LogFlowFuncLeave();
5060 return vrc;
5061}
5062
5063/**
5064 * Sends a request to VMM to detach the given host device. After this method
5065 * succeeds, the detached device will disappear from the mUSBDevices
5066 * collection.
5067 *
5068 * @param aIt Iterator pointing to the device to detach.
5069 *
5070 * @note Synchronously calls EMT.
5071 * @note Must be called from under this object's lock.
5072 */
5073HRESULT Console::detachUSBDevice (USBDeviceList::iterator &aIt)
5074{
5075 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
5076
5077 /* still want a lock object because we need to leave it */
5078 AutoWriteLock alock (this);
5079
5080 /* protect mpVM */
5081 AutoVMCaller autoVMCaller (this);
5082 CheckComRCReturnRC (autoVMCaller.rc());
5083
5084 /* if the device is attached, then there must at least one USB hub. */
5085 AssertReturn (PDMR3USBHasHub (mpVM), E_FAIL);
5086
5087 LogFlowThisFunc (("Detaching USB proxy device {%Vuuid}...\n",
5088 (*aIt)->id().raw()));
5089
5090 /* leave the lock before a VMR3* call (EMT will call us back)! */
5091 alock.leave();
5092
5093 PVMREQ pReq;
5094/** @todo just do everything here and only wrap the PDMR3Usb call. That'll offload some notification stuff from the EMT thread. */
5095 int vrc = VMR3ReqCall (mpVM, &pReq, RT_INDEFINITE_WAIT,
5096 (PFNRT) usbDetachCallback, 4,
5097 this, &aIt, (*aIt)->id().raw());
5098 if (VBOX_SUCCESS (vrc))
5099 vrc = pReq->iStatus;
5100 VMR3ReqFree (pReq);
5101
5102 ComAssertRCRet (vrc, E_FAIL);
5103
5104 return S_OK;
5105}
5106
5107/**
5108 * USB device detach callback used by DetachUSBDevice().
5109 * Note that DetachUSBDevice() doesn't return until this callback is executed,
5110 * so we don't use AutoCaller and don't care about reference counters of
5111 * interface pointers passed in.
5112 *
5113 * @thread EMT
5114 * @note Locks the console object for writing.
5115 */
5116//static
5117DECLCALLBACK(int)
5118Console::usbDetachCallback (Console *that, USBDeviceList::iterator *aIt, PCRTUUID aUuid)
5119{
5120 LogFlowFuncEnter();
5121 LogFlowFunc (("that={%p}\n", that));
5122
5123 AssertReturn (that && aUuid, VERR_INVALID_PARAMETER);
5124 ComObjPtr <OUSBDevice> device = **aIt;
5125
5126 /*
5127 * If that was a remote device, release the backend pointer.
5128 * The pointer was requested in usbAttachCallback.
5129 */
5130 BOOL fRemote = FALSE;
5131
5132 HRESULT hrc2 = (**aIt)->COMGETTER (Remote) (&fRemote);
5133 ComAssertComRC (hrc2);
5134
5135 if (fRemote)
5136 {
5137 Guid guid (*aUuid);
5138 that->consoleVRDPServer ()->USBBackendReleasePointer (&guid);
5139 }
5140
5141 int vrc = PDMR3USBDetachDevice (that->mpVM, aUuid);
5142
5143 if (VBOX_SUCCESS (vrc))
5144 {
5145 AutoWriteLock alock (that);
5146
5147 /* Remove the device from the collection */
5148 that->mUSBDevices.erase (*aIt);
5149 LogFlowFunc (("Detached device {%Vuuid}\n", device->id().raw()));
5150
5151 /* notify callbacks */
5152 that->onUSBDeviceStateChange (device, false /* aAttached */, NULL);
5153 }
5154
5155 LogFlowFunc (("vrc=%Vrc\n", vrc));
5156 LogFlowFuncLeave();
5157 return vrc;
5158}
5159
5160#endif /* VBOX_WITH_USB */
5161
5162/**
5163 * Call the initialisation script for a dynamic TAP interface.
5164 *
5165 * The initialisation script should create a TAP interface, set it up and write its name to
5166 * standard output followed by a carriage return. Anything further written to standard
5167 * output will be ignored. If it returns a non-zero exit code, or does not write an
5168 * intelligable interface name to standard output, it will be treated as having failed.
5169 * For now, this method only works on Linux.
5170 *
5171 * @returns COM status code
5172 * @param tapDevice string to store the name of the tap device created to
5173 * @param tapSetupApplication the name of the setup script
5174 */
5175HRESULT Console::callTapSetupApplication(bool isStatic, RTFILE tapFD, Bstr &tapDevice,
5176 Bstr &tapSetupApplication)
5177{
5178 LogFlowThisFunc(("\n"));
5179#ifdef RT_OS_LINUX
5180 /* Command line to start the script with. */
5181 char szCommand[4096];
5182 /* Result code */
5183 int rc;
5184
5185 /* Get the script name. */
5186 Utf8Str tapSetupAppUtf8(tapSetupApplication), tapDeviceUtf8(tapDevice);
5187 RTStrPrintf(szCommand, sizeof(szCommand), "%s %d %s", tapSetupAppUtf8.raw(),
5188 isStatic ? tapFD : 0, isStatic ? tapDeviceUtf8.raw() : "");
5189 /*
5190 * Create the process and read its output.
5191 */
5192 Log2(("About to start the TAP setup script with the following command line: %s\n",
5193 szCommand));
5194 FILE *pfScriptHandle = popen(szCommand, "r");
5195 if (pfScriptHandle == 0)
5196 {
5197 int iErr = errno;
5198 LogRel(("Failed to start the TAP interface setup script %s, error text: %s\n",
5199 szCommand, strerror(iErr)));
5200 LogFlowThisFunc(("rc=E_FAIL\n"));
5201 return setError(E_FAIL, tr ("Failed to run the host networking set up command %s: %s"),
5202 szCommand, strerror(iErr));
5203 }
5204 /* If we are using a dynamic TAP interface, we need to get the interface name. */
5205 if (!isStatic)
5206 {
5207 /* Buffer to read the application output to. It doesn't have to be long, as we are only
5208 interested in the first few (normally 5 or 6) bytes. */
5209 char acBuffer[64];
5210 /* The length of the string returned by the application. We only accept strings of 63
5211 characters or less. */
5212 size_t cBufSize;
5213
5214 /* Read the name of the device from the application. */
5215 fgets(acBuffer, sizeof(acBuffer), pfScriptHandle);
5216 cBufSize = strlen(acBuffer);
5217 /* The script must return the name of the interface followed by a carriage return as the
5218 first line of its output. We need a null-terminated string. */
5219 if ((cBufSize < 2) || (acBuffer[cBufSize - 1] != '\n'))
5220 {
5221 pclose(pfScriptHandle);
5222 LogRel(("The TAP interface setup script did not return the name of a TAP device.\n"));
5223 LogFlowThisFunc(("rc=E_FAIL\n"));
5224 return setError(E_FAIL, tr ("The host networking set up command did not supply an interface name"));
5225 }
5226 /* Overwrite the terminating newline character. */
5227 acBuffer[cBufSize - 1] = 0;
5228 tapDevice = acBuffer;
5229 }
5230 rc = pclose(pfScriptHandle);
5231 if (!WIFEXITED(rc))
5232 {
5233 LogRel(("The TAP interface setup script terminated abnormally.\n"));
5234 LogFlowThisFunc(("rc=E_FAIL\n"));
5235 return setError(E_FAIL, tr ("The host networking set up command did not run correctly"));
5236 }
5237 if (WEXITSTATUS(rc) != 0)
5238 {
5239 LogRel(("The TAP interface setup script returned a non-zero exit code.\n"));
5240 LogFlowThisFunc(("rc=E_FAIL\n"));
5241 return setError(E_FAIL, tr ("The host networking set up command returned a non-zero exit code"));
5242 }
5243 LogFlowThisFunc(("rc=S_OK\n"));
5244 return S_OK;
5245#else /* RT_OS_LINUX not defined */
5246 LogFlowThisFunc(("rc=E_NOTIMPL\n"));
5247 return E_NOTIMPL; /* not yet supported */
5248#endif
5249}
5250
5251/**
5252 * Helper function to handle host interface device creation and attachment.
5253 *
5254 * @param networkAdapter the network adapter which attachment should be reset
5255 * @return COM status code
5256 *
5257 * @note The caller must lock this object for writing.
5258 */
5259HRESULT Console::attachToHostInterface(INetworkAdapter *networkAdapter)
5260{
5261 LogFlowThisFunc(("\n"));
5262 /* sanity check */
5263 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
5264
5265#ifdef DEBUG
5266 /* paranoia */
5267 NetworkAttachmentType_T attachment;
5268 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5269 Assert(attachment == NetworkAttachmentType_HostInterface);
5270#endif /* DEBUG */
5271
5272 HRESULT rc = S_OK;
5273
5274#ifdef VBOX_WITH_UNIXY_TAP_NETWORKING
5275 ULONG slot = 0;
5276 rc = networkAdapter->COMGETTER(Slot)(&slot);
5277 AssertComRC(rc);
5278
5279 /*
5280 * Try get the FD.
5281 */
5282 LONG ltapFD;
5283 rc = networkAdapter->COMGETTER(TAPFileDescriptor)(&ltapFD);
5284 if (SUCCEEDED(rc))
5285 maTapFD[slot] = (RTFILE)ltapFD;
5286 else
5287 maTapFD[slot] = NIL_RTFILE;
5288
5289 /*
5290 * Are we supposed to use an existing TAP interface?
5291 */
5292 if (maTapFD[slot] != NIL_RTFILE)
5293 {
5294 /* nothing to do */
5295 Assert(ltapFD >= 0);
5296 Assert((LONG)maTapFD[slot] == ltapFD);
5297 rc = S_OK;
5298 }
5299 else
5300#endif /* VBOX_WITH_UNIXY_TAP_NETWORKING */
5301 {
5302 /*
5303 * Allocate a host interface device
5304 */
5305#ifdef RT_OS_WINDOWS
5306 /* nothing to do */
5307 int rcVBox = VINF_SUCCESS;
5308#elif defined(RT_OS_LINUX)
5309 int rcVBox = RTFileOpen(&maTapFD[slot], "/dev/net/tun",
5310 RTFILE_O_READWRITE | RTFILE_O_OPEN | RTFILE_O_DENY_NONE | RTFILE_O_INHERIT);
5311 if (VBOX_SUCCESS(rcVBox))
5312 {
5313 /*
5314 * Set/obtain the tap interface.
5315 */
5316 bool isStatic = false;
5317 struct ifreq IfReq;
5318 memset(&IfReq, 0, sizeof(IfReq));
5319 /* The name of the TAP interface we are using and the TAP setup script resp. */
5320 Bstr tapDeviceName, tapSetupApplication;
5321 rc = networkAdapter->COMGETTER(HostInterface)(tapDeviceName.asOutParam());
5322 if (FAILED(rc))
5323 {
5324 tapDeviceName.setNull(); /* Is this necessary? */
5325 }
5326 else if (!tapDeviceName.isEmpty())
5327 {
5328 isStatic = true;
5329 /* If we are using a static TAP device then try to open it. */
5330 Utf8Str str(tapDeviceName);
5331 if (str.length() <= sizeof(IfReq.ifr_name))
5332 strcpy(IfReq.ifr_name, str.raw());
5333 else
5334 memcpy(IfReq.ifr_name, str.raw(), sizeof(IfReq.ifr_name) - 1); /** @todo bitch about names which are too long... */
5335 IfReq.ifr_flags = IFF_TAP | IFF_NO_PI;
5336 rcVBox = ioctl(maTapFD[slot], TUNSETIFF, &IfReq);
5337 if (rcVBox != 0)
5338 {
5339 LogRel(("Failed to open the host network interface %ls\n", tapDeviceName.raw()));
5340 rc = setError(E_FAIL, tr ("Failed to open the host network interface %ls"),
5341 tapDeviceName.raw());
5342 }
5343 }
5344 if (SUCCEEDED(rc))
5345 {
5346 networkAdapter->COMGETTER(TAPSetupApplication)(tapSetupApplication.asOutParam());
5347 if (tapSetupApplication.isEmpty())
5348 {
5349 if (tapDeviceName.isEmpty())
5350 {
5351 LogRel(("No setup application was supplied for the TAP interface.\n"));
5352 rc = setError(E_FAIL, tr ("No setup application was supplied for the host networking interface"));
5353 }
5354 }
5355 else
5356 {
5357 rc = callTapSetupApplication(isStatic, maTapFD[slot], tapDeviceName,
5358 tapSetupApplication);
5359 }
5360 }
5361 if (SUCCEEDED(rc))
5362 {
5363 if (!isStatic)
5364 {
5365 Utf8Str str(tapDeviceName);
5366 if (str.length() <= sizeof(IfReq.ifr_name))
5367 strcpy(IfReq.ifr_name, str.raw());
5368 else
5369 memcpy(IfReq.ifr_name, str.raw(), sizeof(IfReq.ifr_name) - 1); /** @todo bitch about names which are too long... */
5370 IfReq.ifr_flags = IFF_TAP | IFF_NO_PI;
5371 rcVBox = ioctl(maTapFD[slot], TUNSETIFF, &IfReq);
5372 if (rcVBox != 0)
5373 {
5374 LogRel(("Failed to open the host network interface %ls returned by the setup script", tapDeviceName.raw()));
5375 rc = setError(E_FAIL, tr ("Failed to open the host network interface %ls returned by the setup script"), tapDeviceName.raw());
5376 }
5377 }
5378 if (SUCCEEDED(rc))
5379 {
5380 /*
5381 * Make it pollable.
5382 */
5383 if (fcntl(maTapFD[slot], F_SETFL, O_NONBLOCK) != -1)
5384 {
5385 Log(("attachToHostInterface: %RTfile %ls\n", maTapFD[slot], tapDeviceName.raw()));
5386
5387 /*
5388 * Here is the right place to communicate the TAP file descriptor and
5389 * the host interface name to the server if/when it becomes really
5390 * necessary.
5391 */
5392 maTAPDeviceName[slot] = tapDeviceName;
5393 rcVBox = VINF_SUCCESS;
5394 }
5395 else
5396 {
5397 int iErr = errno;
5398
5399 LogRel(("Configuration error: Failed to configure /dev/net/tun non blocking. Error: %s\n", strerror(iErr)));
5400 rcVBox = VERR_HOSTIF_BLOCKING;
5401 rc = setError(E_FAIL, tr ("could not set up the host networking device for non blocking access: %s"),
5402 strerror(errno));
5403 }
5404 }
5405 }
5406 }
5407 else
5408 {
5409 LogRel(("Configuration error: Failed to open /dev/net/tun rc=%Vrc\n", rcVBox));
5410 switch (rcVBox)
5411 {
5412 case VERR_ACCESS_DENIED:
5413 /* will be handled by our caller */
5414 rc = rcVBox;
5415 break;
5416 default:
5417 rc = setError(E_FAIL, tr ("Could not set up the host networking device: %Vrc"), rcVBox);
5418 break;
5419 }
5420 }
5421#elif defined(RT_OS_DARWIN)
5422 /** @todo Implement tap networking for Darwin. */
5423 int rcVBox = VERR_NOT_IMPLEMENTED;
5424#elif defined(RT_OS_FREEBSD)
5425 /** @todo Implement tap networking for FreeBSD. */
5426 int rcVBox = VERR_NOT_IMPLEMENTED;
5427#elif defined(RT_OS_OS2)
5428 /** @todo Implement tap networking for OS/2. */
5429 int rcVBox = VERR_NOT_IMPLEMENTED;
5430#elif defined(RT_OS_SOLARIS)
5431 /* nothing to do */
5432 int rcVBox = VINF_SUCCESS;
5433#elif defined(VBOX_WITH_UNIXY_TAP_NETWORKING)
5434# error "PORTME: Implement OS specific TAP interface open/creation."
5435#else
5436# error "Unknown host OS"
5437#endif
5438 /* in case of failure, cleanup. */
5439 if (VBOX_FAILURE(rcVBox) && SUCCEEDED(rc))
5440 {
5441 LogRel(("General failure attaching to host interface\n"));
5442 rc = setError(E_FAIL, tr ("General failure attaching to host interface"));
5443 }
5444 }
5445 LogFlowThisFunc(("rc=%d\n", rc));
5446 return rc;
5447}
5448
5449/**
5450 * Helper function to handle detachment from a host interface
5451 *
5452 * @param networkAdapter the network adapter which attachment should be reset
5453 * @return COM status code
5454 *
5455 * @note The caller must lock this object for writing.
5456 */
5457HRESULT Console::detachFromHostInterface(INetworkAdapter *networkAdapter)
5458{
5459 /* sanity check */
5460 LogFlowThisFunc(("\n"));
5461 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
5462
5463 HRESULT rc = S_OK;
5464#ifdef DEBUG
5465 /* paranoia */
5466 NetworkAttachmentType_T attachment;
5467 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5468 Assert(attachment == NetworkAttachmentType_HostInterface);
5469#endif /* DEBUG */
5470
5471#ifdef VBOX_WITH_UNIXY_TAP_NETWORKING
5472
5473 ULONG slot = 0;
5474 rc = networkAdapter->COMGETTER(Slot)(&slot);
5475 AssertComRC(rc);
5476
5477 /* is there an open TAP device? */
5478 if (maTapFD[slot] != NIL_RTFILE)
5479 {
5480 /*
5481 * Close the file handle.
5482 */
5483 Bstr tapDeviceName, tapTerminateApplication;
5484 bool isStatic = true;
5485 rc = networkAdapter->COMGETTER(HostInterface)(tapDeviceName.asOutParam());
5486 if (FAILED(rc) || tapDeviceName.isEmpty())
5487 {
5488 /* If the name is empty, this is a dynamic TAP device, so close it now,
5489 so that the termination script can remove the interface. Otherwise we still
5490 need the FD to pass to the termination script. */
5491 isStatic = false;
5492 int rcVBox = RTFileClose(maTapFD[slot]);
5493 AssertRC(rcVBox);
5494 maTapFD[slot] = NIL_RTFILE;
5495 }
5496 /*
5497 * Execute the termination command.
5498 */
5499 networkAdapter->COMGETTER(TAPTerminateApplication)(tapTerminateApplication.asOutParam());
5500 if (tapTerminateApplication)
5501 {
5502 /* Get the program name. */
5503 Utf8Str tapTermAppUtf8(tapTerminateApplication);
5504
5505 /* Build the command line. */
5506 char szCommand[4096];
5507 RTStrPrintf(szCommand, sizeof(szCommand), "%s %d %s", tapTermAppUtf8.raw(),
5508 isStatic ? maTapFD[slot] : 0, maTAPDeviceName[slot].raw());
5509
5510 /*
5511 * Create the process and wait for it to complete.
5512 */
5513 Log(("Calling the termination command: %s\n", szCommand));
5514 int rcCommand = system(szCommand);
5515 if (rcCommand == -1)
5516 {
5517 LogRel(("Failed to execute the clean up script for the TAP interface"));
5518 rc = setError(E_FAIL, tr ("Failed to execute the clean up script for the TAP interface"));
5519 }
5520 if (!WIFEXITED(rc))
5521 {
5522 LogRel(("The TAP interface clean up script terminated abnormally.\n"));
5523 rc = setError(E_FAIL, tr ("The TAP interface clean up script terminated abnormally"));
5524 }
5525 if (WEXITSTATUS(rc) != 0)
5526 {
5527 LogRel(("The TAP interface clean up script returned a non-zero exit code.\n"));
5528 rc = setError(E_FAIL, tr ("The TAP interface clean up script returned a non-zero exit code"));
5529 }
5530 }
5531
5532 if (isStatic)
5533 {
5534 /* If we are using a static TAP device, we close it now, after having called the
5535 termination script. */
5536 int rcVBox = RTFileClose(maTapFD[slot]);
5537 AssertRC(rcVBox);
5538 }
5539 /* the TAP device name and handle are no longer valid */
5540 maTapFD[slot] = NIL_RTFILE;
5541 maTAPDeviceName[slot] = "";
5542 }
5543#endif
5544 LogFlowThisFunc(("returning %d\n", rc));
5545 return rc;
5546}
5547
5548
5549/**
5550 * Called at power down to terminate host interface networking.
5551 *
5552 * @note The caller must lock this object for writing.
5553 */
5554HRESULT Console::powerDownHostInterfaces()
5555{
5556 LogFlowThisFunc (("\n"));
5557
5558 /* sanity check */
5559 AssertReturn (isWriteLockOnCurrentThread(), E_FAIL);
5560
5561 /*
5562 * host interface termination handling
5563 */
5564 HRESULT rc;
5565 for (ULONG slot = 0; slot < SchemaDefs::NetworkAdapterCount; slot ++)
5566 {
5567 ComPtr<INetworkAdapter> networkAdapter;
5568 rc = mMachine->GetNetworkAdapter(slot, networkAdapter.asOutParam());
5569 CheckComRCBreakRC (rc);
5570
5571 BOOL enabled = FALSE;
5572 networkAdapter->COMGETTER(Enabled) (&enabled);
5573 if (!enabled)
5574 continue;
5575
5576 NetworkAttachmentType_T attachment;
5577 networkAdapter->COMGETTER(AttachmentType)(&attachment);
5578 if (attachment == NetworkAttachmentType_HostInterface)
5579 {
5580 HRESULT rc2 = detachFromHostInterface(networkAdapter);
5581 if (FAILED(rc2) && SUCCEEDED(rc))
5582 rc = rc2;
5583 }
5584 }
5585
5586 return rc;
5587}
5588
5589
5590/**
5591 * Process callback handler for VMR3Load and VMR3Save.
5592 *
5593 * @param pVM The VM handle.
5594 * @param uPercent Completetion precentage (0-100).
5595 * @param pvUser Pointer to the VMProgressTask structure.
5596 * @return VINF_SUCCESS.
5597 */
5598/*static*/ DECLCALLBACK (int)
5599Console::stateProgressCallback (PVM pVM, unsigned uPercent, void *pvUser)
5600{
5601 VMProgressTask *task = static_cast <VMProgressTask *> (pvUser);
5602 AssertReturn (task, VERR_INVALID_PARAMETER);
5603
5604 /* update the progress object */
5605 if (task->mProgress)
5606 task->mProgress->notifyProgress (uPercent);
5607
5608 return VINF_SUCCESS;
5609}
5610
5611/**
5612 * VM error callback function. Called by the various VM components.
5613 *
5614 * @param pVM VM handle. Can be NULL if an error occurred before
5615 * successfully creating a VM.
5616 * @param pvUser Pointer to the VMProgressTask structure.
5617 * @param rc VBox status code.
5618 * @param pszFormat Printf-like error message.
5619 * @param args Various number of argumens for the error message.
5620 *
5621 * @thread EMT, VMPowerUp...
5622 *
5623 * @note The VMProgressTask structure modified by this callback is not thread
5624 * safe.
5625 */
5626/* static */ DECLCALLBACK (void)
5627Console::setVMErrorCallback (PVM pVM, void *pvUser, int rc, RT_SRC_POS_DECL,
5628 const char *pszFormat, va_list args)
5629{
5630 VMProgressTask *task = static_cast <VMProgressTask *> (pvUser);
5631 AssertReturnVoid (task);
5632
5633 /* we ignore RT_SRC_POS_DECL arguments to avoid confusion of end-users */
5634 va_list va2;
5635 va_copy(va2, args); /* Have to make a copy here or GCC will break. */
5636 Utf8Str errorMsg = Utf8StrFmt (tr ("%N.\n"
5637 "VBox status code: %d (%Vrc)"),
5638 pszFormat, &va2, rc, rc);
5639 va_end(va2);
5640
5641 /* For now, this may be called only once. Ignore subsequent calls. */
5642 AssertMsgReturnVoid (task->mErrorMsg.isNull(),
5643 ("Cannot set error to '%s': it is already set to '%s'",
5644 errorMsg.raw(), task->mErrorMsg.raw()));
5645
5646 task->mErrorMsg = errorMsg;
5647}
5648
5649/**
5650 * VM runtime error callback function.
5651 * See VMSetRuntimeError for the detailed description of parameters.
5652 *
5653 * @param pVM The VM handle.
5654 * @param pvUser The user argument.
5655 * @param fFatal Whether it is a fatal error or not.
5656 * @param pszErrorID Error ID string.
5657 * @param pszFormat Error message format string.
5658 * @param args Error message arguments.
5659 * @thread EMT.
5660 */
5661/* static */ DECLCALLBACK(void)
5662Console::setVMRuntimeErrorCallback (PVM pVM, void *pvUser, bool fFatal,
5663 const char *pszErrorID,
5664 const char *pszFormat, va_list args)
5665{
5666 LogFlowFuncEnter();
5667
5668 Console *that = static_cast <Console *> (pvUser);
5669 AssertReturnVoid (that);
5670
5671 Utf8Str message = Utf8StrFmtVA (pszFormat, args);
5672
5673 LogRel (("Console: VM runtime error: fatal=%RTbool, "
5674 "errorID=%s message=\"%s\"\n",
5675 fFatal, pszErrorID, message.raw()));
5676
5677 that->onRuntimeError (BOOL (fFatal), Bstr (pszErrorID), Bstr (message));
5678
5679 LogFlowFuncLeave();
5680}
5681
5682/**
5683 * Captures USB devices that match filters of the VM.
5684 * Called at VM startup.
5685 *
5686 * @param pVM The VM handle.
5687 *
5688 * @note The caller must lock this object for writing.
5689 */
5690HRESULT Console::captureUSBDevices (PVM pVM)
5691{
5692 LogFlowThisFunc (("\n"));
5693
5694 /* sanity check */
5695 ComAssertRet (isWriteLockOnCurrentThread(), E_FAIL);
5696
5697 /* If the machine has an USB controller, ask the USB proxy service to
5698 * capture devices */
5699 PPDMIBASE pBase;
5700 int vrc = PDMR3QueryLun (pVM, "usb-ohci", 0, 0, &pBase);
5701 if (VBOX_SUCCESS (vrc))
5702 {
5703 /* leave the lock before calling Host in VBoxSVC since Host may call
5704 * us back from under its lock (e.g. onUSBDeviceAttach()) which would
5705 * produce an inter-process dead-lock otherwise. */
5706 AutoWriteLock alock (this);
5707 alock.leave();
5708
5709 HRESULT hrc = mControl->AutoCaptureUSBDevices();
5710 ComAssertComRCRetRC (hrc);
5711 }
5712 else if ( vrc == VERR_PDM_DEVICE_NOT_FOUND
5713 || vrc == VERR_PDM_DEVICE_INSTANCE_NOT_FOUND)
5714 vrc = VINF_SUCCESS;
5715 else
5716 AssertRC (vrc);
5717
5718 return VBOX_SUCCESS (vrc) ? S_OK : E_FAIL;
5719}
5720
5721
5722/**
5723 * Detach all USB device which are attached to the VM for the
5724 * purpose of clean up and such like.
5725 *
5726 * @note The caller must lock this object for writing.
5727 */
5728void Console::detachAllUSBDevices (bool aDone)
5729{
5730 LogFlowThisFunc (("aDone=%RTbool\n", aDone));
5731
5732 /* sanity check */
5733 AssertReturnVoid (isWriteLockOnCurrentThread());
5734
5735 mUSBDevices.clear();
5736
5737 /* leave the lock before calling Host in VBoxSVC since Host may call
5738 * us back from under its lock (e.g. onUSBDeviceAttach()) which would
5739 * produce an inter-process dead-lock otherwise. */
5740 AutoWriteLock alock (this);
5741 alock.leave();
5742
5743 mControl->DetachAllUSBDevices (aDone);
5744}
5745
5746/**
5747 * @note Locks this object for writing.
5748 */
5749void Console::processRemoteUSBDevices (uint32_t u32ClientId, VRDPUSBDEVICEDESC *pDevList, uint32_t cbDevList)
5750{
5751 LogFlowThisFuncEnter();
5752 LogFlowThisFunc (("u32ClientId = %d, pDevList=%p, cbDevList = %d\n", u32ClientId, pDevList, cbDevList));
5753
5754 AutoCaller autoCaller (this);
5755 if (!autoCaller.isOk())
5756 {
5757 /* Console has been already uninitialized, deny request */
5758 AssertMsgFailed (("Temporary assertion to prove that it happens, "
5759 "please report to dmik\n"));
5760 LogFlowThisFunc (("Console is already uninitialized\n"));
5761 LogFlowThisFuncLeave();
5762 return;
5763 }
5764
5765 AutoWriteLock alock (this);
5766
5767 /*
5768 * Mark all existing remote USB devices as dirty.
5769 */
5770 RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
5771 while (it != mRemoteUSBDevices.end())
5772 {
5773 (*it)->dirty (true);
5774 ++ it;
5775 }
5776
5777 /*
5778 * Process the pDevList and add devices those are not already in the mRemoteUSBDevices list.
5779 */
5780 /** @todo (sunlover) REMOTE_USB Strict validation of the pDevList. */
5781 VRDPUSBDEVICEDESC *e = pDevList;
5782
5783 /* The cbDevList condition must be checked first, because the function can
5784 * receive pDevList = NULL and cbDevList = 0 on client disconnect.
5785 */
5786 while (cbDevList >= 2 && e->oNext)
5787 {
5788 LogFlowThisFunc (("vendor %04X, product %04X, name = %s\n",
5789 e->idVendor, e->idProduct,
5790 e->oProduct? (char *)e + e->oProduct: ""));
5791
5792 bool fNewDevice = true;
5793
5794 it = mRemoteUSBDevices.begin();
5795 while (it != mRemoteUSBDevices.end())
5796 {
5797 if ((*it)->devId () == e->id
5798 && (*it)->clientId () == u32ClientId)
5799 {
5800 /* The device is already in the list. */
5801 (*it)->dirty (false);
5802 fNewDevice = false;
5803 break;
5804 }
5805
5806 ++ it;
5807 }
5808
5809 if (fNewDevice)
5810 {
5811 LogRel(("Remote USB: ++++ Vendor %04X. Product %04X. Name = [%s].\n",
5812 e->idVendor, e->idProduct, e->oProduct? (char *)e + e->oProduct: ""
5813 ));
5814
5815 /* Create the device object and add the new device to list. */
5816 ComObjPtr <RemoteUSBDevice> device;
5817 device.createObject();
5818 device->init (u32ClientId, e);
5819
5820 mRemoteUSBDevices.push_back (device);
5821
5822 /* Check if the device is ok for current USB filters. */
5823 BOOL fMatched = FALSE;
5824 ULONG fMaskedIfs = 0;
5825
5826 HRESULT hrc = mControl->RunUSBDeviceFilters(device, &fMatched, &fMaskedIfs);
5827
5828 AssertComRC (hrc);
5829
5830 LogFlowThisFunc (("USB filters return %d %#x\n", fMatched, fMaskedIfs));
5831
5832 if (fMatched)
5833 {
5834 hrc = onUSBDeviceAttach (device, NULL, fMaskedIfs);
5835
5836 /// @todo (r=dmik) warning reporting subsystem
5837
5838 if (hrc == S_OK)
5839 {
5840 LogFlowThisFunc (("Device attached\n"));
5841 device->captured (true);
5842 }
5843 }
5844 }
5845
5846 if (cbDevList < e->oNext)
5847 {
5848 LogWarningThisFunc (("cbDevList %d > oNext %d\n",
5849 cbDevList, e->oNext));
5850 break;
5851 }
5852
5853 cbDevList -= e->oNext;
5854
5855 e = (VRDPUSBDEVICEDESC *)((uint8_t *)e + e->oNext);
5856 }
5857
5858 /*
5859 * Remove dirty devices, that is those which are not reported by the server anymore.
5860 */
5861 for (;;)
5862 {
5863 ComObjPtr <RemoteUSBDevice> device;
5864
5865 RemoteUSBDeviceList::iterator it = mRemoteUSBDevices.begin();
5866 while (it != mRemoteUSBDevices.end())
5867 {
5868 if ((*it)->dirty ())
5869 {
5870 device = *it;
5871 break;
5872 }
5873
5874 ++ it;
5875 }
5876
5877 if (!device)
5878 {
5879 break;
5880 }
5881
5882 USHORT vendorId = 0;
5883 device->COMGETTER(VendorId) (&vendorId);
5884
5885 USHORT productId = 0;
5886 device->COMGETTER(ProductId) (&productId);
5887
5888 Bstr product;
5889 device->COMGETTER(Product) (product.asOutParam());
5890
5891 LogRel(("Remote USB: ---- Vendor %04X. Product %04X. Name = [%ls].\n",
5892 vendorId, productId, product.raw ()
5893 ));
5894
5895 /* Detach the device from VM. */
5896 if (device->captured ())
5897 {
5898 Guid uuid;
5899 device->COMGETTER (Id) (uuid.asOutParam());
5900 onUSBDeviceDetach (uuid, NULL);
5901 }
5902
5903 /* And remove it from the list. */
5904 mRemoteUSBDevices.erase (it);
5905 }
5906
5907 LogFlowThisFuncLeave();
5908}
5909
5910
5911
5912/**
5913 * Thread function which starts the VM (also from saved state) and
5914 * track progress.
5915 *
5916 * @param Thread The thread id.
5917 * @param pvUser Pointer to a VMPowerUpTask structure.
5918 * @return VINF_SUCCESS (ignored).
5919 *
5920 * @note Locks the Console object for writing.
5921 */
5922/*static*/
5923DECLCALLBACK (int) Console::powerUpThread (RTTHREAD Thread, void *pvUser)
5924{
5925 LogFlowFuncEnter();
5926
5927 std::auto_ptr <VMPowerUpTask> task (static_cast <VMPowerUpTask *> (pvUser));
5928 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
5929
5930 AssertReturn (!task->mConsole.isNull(), VERR_INVALID_PARAMETER);
5931 AssertReturn (!task->mProgress.isNull(), VERR_INVALID_PARAMETER);
5932
5933#if defined(RT_OS_WINDOWS)
5934 {
5935 /* initialize COM */
5936 HRESULT hrc = CoInitializeEx (NULL,
5937 COINIT_MULTITHREADED | COINIT_DISABLE_OLE1DDE |
5938 COINIT_SPEED_OVER_MEMORY);
5939 LogFlowFunc (("CoInitializeEx()=%08X\n", hrc));
5940 }
5941#endif
5942
5943 HRESULT hrc = S_OK;
5944 int vrc = VINF_SUCCESS;
5945
5946 /* Set up a build identifier so that it can be seen from core dumps what
5947 * exact build was used to produce the core. */
5948 static char saBuildID[40];
5949 RTStrPrintf(saBuildID, sizeof(saBuildID), "%s%s%s%s VirtualBox %s r%d %s%s%s%s",
5950 "BU", "IL", "DI", "D", VBOX_VERSION_STRING, VBoxSVNRev (), "BU", "IL", "DI", "D");
5951
5952 ComObjPtr <Console> console = task->mConsole;
5953
5954 /* Note: no need to use addCaller() because VMPowerUpTask does that */
5955
5956 AutoWriteLock alock (console);
5957
5958 /* sanity */
5959 Assert (console->mpVM == NULL);
5960
5961 do
5962 {
5963#ifdef VBOX_VRDP
5964 /* Create the VRDP server. In case of headless operation, this will
5965 * also create the framebuffer, required at VM creation.
5966 */
5967 ConsoleVRDPServer *server = console->consoleVRDPServer();
5968 Assert (server);
5969 /// @todo (dmik)
5970 // does VRDP server call Console from the other thread?
5971 // Not sure, so leave the lock just in case
5972 alock.leave();
5973 vrc = server->Launch();
5974 alock.enter();
5975 if (VBOX_FAILURE (vrc))
5976 {
5977 Utf8Str errMsg;
5978 switch (vrc)
5979 {
5980 case VERR_NET_ADDRESS_IN_USE:
5981 {
5982 ULONG port = 0;
5983 console->mVRDPServer->COMGETTER(Port) (&port);
5984 errMsg = Utf8StrFmt (tr ("VRDP server port %d is already in use"),
5985 port);
5986 break;
5987 }
5988 case VERR_FILE_NOT_FOUND:
5989 {
5990 errMsg = Utf8StrFmt (tr ("Could not load the VRDP library"));
5991 break;
5992 }
5993 default:
5994 errMsg = Utf8StrFmt (tr ("Failed to launch VRDP server (%Vrc)"),
5995 vrc);
5996 }
5997 LogRel (("Failed to launch VRDP server (%Vrc), error message: '%s'\n",
5998 vrc, errMsg.raw()));
5999 hrc = setError (E_FAIL, errMsg);
6000 break;
6001 }
6002#endif /* VBOX_VRDP */
6003
6004 /*
6005 * Create the VM
6006 */
6007 PVM pVM;
6008 /*
6009 * leave the lock since EMT will call Console. It's safe because
6010 * mMachineState is either Starting or Restoring state here.
6011 */
6012 alock.leave();
6013
6014 vrc = VMR3Create (task->mSetVMErrorCallback, task.get(),
6015 task->mConfigConstructor, static_cast <Console *> (console),
6016 &pVM);
6017
6018 alock.enter();
6019
6020#ifdef VBOX_VRDP
6021 /* Enable client connections to the server. */
6022 console->consoleVRDPServer()->EnableConnections ();
6023#endif /* VBOX_VRDP */
6024
6025 if (VBOX_SUCCESS (vrc))
6026 {
6027 do
6028 {
6029 /*
6030 * Register our load/save state file handlers
6031 */
6032 vrc = SSMR3RegisterExternal (pVM,
6033 sSSMConsoleUnit, 0 /* iInstance */, sSSMConsoleVer,
6034 0 /* cbGuess */,
6035 NULL, saveStateFileExec, NULL, NULL, loadStateFileExec, NULL,
6036 static_cast <Console *> (console));
6037 AssertRC (vrc);
6038 if (VBOX_FAILURE (vrc))
6039 break;
6040
6041 /*
6042 * Synchronize debugger settings
6043 */
6044 MachineDebugger *machineDebugger = console->getMachineDebugger();
6045 if (machineDebugger)
6046 {
6047 machineDebugger->flushQueuedSettings();
6048 }
6049
6050 /*
6051 * Shared Folders
6052 */
6053 if (console->getVMMDev()->isShFlActive())
6054 {
6055 /// @todo (dmik)
6056 // does the code below call Console from the other thread?
6057 // Not sure, so leave the lock just in case
6058 alock.leave();
6059
6060 for (SharedFolderDataMap::const_iterator
6061 it = task->mSharedFolders.begin();
6062 it != task->mSharedFolders.end();
6063 ++ it)
6064 {
6065 hrc = console->createSharedFolder ((*it).first, (*it).second);
6066 CheckComRCBreakRC (hrc);
6067 }
6068
6069 /* enter the lock again */
6070 alock.enter();
6071
6072 CheckComRCBreakRC (hrc);
6073 }
6074
6075 /*
6076 * Capture USB devices.
6077 */
6078 hrc = console->captureUSBDevices (pVM);
6079 CheckComRCBreakRC (hrc);
6080
6081 /* leave the lock before a lengthy operation */
6082 alock.leave();
6083
6084 /* Load saved state? */
6085 if (!!task->mSavedStateFile)
6086 {
6087 LogFlowFunc (("Restoring saved state from '%s'...\n",
6088 task->mSavedStateFile.raw()));
6089
6090 vrc = VMR3Load (pVM, task->mSavedStateFile,
6091 Console::stateProgressCallback,
6092 static_cast <VMProgressTask *> (task.get()));
6093
6094 /* Start/Resume the VM execution */
6095 if (VBOX_SUCCESS (vrc))
6096 {
6097 vrc = VMR3Resume (pVM);
6098 AssertRC (vrc);
6099 }
6100
6101 /* Power off in case we failed loading or resuming the VM */
6102 if (VBOX_FAILURE (vrc))
6103 {
6104 int vrc2 = VMR3PowerOff (pVM);
6105 AssertRC (vrc2);
6106 }
6107 }
6108 else
6109 {
6110 /* Power on the VM (i.e. start executing) */
6111 vrc = VMR3PowerOn(pVM);
6112 AssertRC (vrc);
6113 }
6114
6115 /* enter the lock again */
6116 alock.enter();
6117 }
6118 while (0);
6119
6120 /* On failure, destroy the VM */
6121 if (FAILED (hrc) || VBOX_FAILURE (vrc))
6122 {
6123 /* preserve existing error info */
6124 ErrorInfoKeeper eik;
6125
6126 /* powerDown() will call VMR3Destroy() and do all necessary
6127 * cleanup (VRDP, USB devices) */
6128 HRESULT hrc2 = console->powerDown();
6129 AssertComRC (hrc2);
6130 }
6131 }
6132 else
6133 {
6134 /*
6135 * If VMR3Create() failed it has released the VM memory.
6136 */
6137 console->mpVM = NULL;
6138 }
6139
6140 if (SUCCEEDED (hrc) && VBOX_FAILURE (vrc))
6141 {
6142 /* If VMR3Create() or one of the other calls in this function fail,
6143 * an appropriate error message has been set in task->mErrorMsg.
6144 * However since that happens via a callback, the hrc status code in
6145 * this function is not updated.
6146 */
6147 if (task->mErrorMsg.isNull())
6148 {
6149 /* If the error message is not set but we've got a failure,
6150 * convert the VBox status code into a meaningfulerror message.
6151 * This becomes unused once all the sources of errors set the
6152 * appropriate error message themselves.
6153 */
6154 AssertMsgFailed (("Missing error message during powerup for "
6155 "status code %Vrc\n", vrc));
6156 task->mErrorMsg = Utf8StrFmt (
6157 tr ("Failed to start VM execution (%Vrc)"), vrc);
6158 }
6159
6160 /* Set the error message as the COM error.
6161 * Progress::notifyComplete() will pick it up later. */
6162 hrc = setError (E_FAIL, task->mErrorMsg);
6163 break;
6164 }
6165 }
6166 while (0);
6167
6168 if (console->mMachineState == MachineState_Starting ||
6169 console->mMachineState == MachineState_Restoring)
6170 {
6171 /* We are still in the Starting/Restoring state. This means one of:
6172 *
6173 * 1) we failed before VMR3Create() was called;
6174 * 2) VMR3Create() failed.
6175 *
6176 * In both cases, there is no need to call powerDown(), but we still
6177 * need to go back to the PoweredOff/Saved state. Reuse
6178 * vmstateChangeCallback() for that purpose.
6179 */
6180
6181 /* preserve existing error info */
6182 ErrorInfoKeeper eik;
6183
6184 Assert (console->mpVM == NULL);
6185 vmstateChangeCallback (NULL, VMSTATE_TERMINATED, VMSTATE_CREATING,
6186 console);
6187 }
6188
6189 /*
6190 * Evaluate the final result. Note that the appropriate mMachineState value
6191 * is already set by vmstateChangeCallback() in all cases.
6192 */
6193
6194 /* leave the lock, don't need it any more */
6195 alock.leave();
6196
6197 if (SUCCEEDED (hrc))
6198 {
6199 /* Notify the progress object of the success */
6200 task->mProgress->notifyComplete (S_OK);
6201 }
6202 else
6203 {
6204 /* The progress object will fetch the current error info */
6205 task->mProgress->notifyComplete (hrc);
6206
6207 LogRel (("Power up failed (vrc=%Vrc, hrc=%Rhrc (%#08X))\n", vrc, hrc, hrc));
6208 }
6209
6210#if defined(RT_OS_WINDOWS)
6211 /* uninitialize COM */
6212 CoUninitialize();
6213#endif
6214
6215 LogFlowFuncLeave();
6216
6217 return VINF_SUCCESS;
6218}
6219
6220
6221/**
6222 * Reconfigures a VDI.
6223 *
6224 * @param pVM The VM handle.
6225 * @param hda The harddisk attachment.
6226 * @param phrc Where to store com error - only valid if we return VERR_GENERAL_FAILURE.
6227 * @return VBox status code.
6228 */
6229static DECLCALLBACK(int) reconfigureVDI(PVM pVM, IHardDiskAttachment *hda, HRESULT *phrc)
6230{
6231 LogFlowFunc (("pVM=%p hda=%p phrc=%p\n", pVM, hda, phrc));
6232
6233 int rc;
6234 HRESULT hrc;
6235 char *psz = NULL;
6236 BSTR str = NULL;
6237 *phrc = S_OK;
6238#define STR_CONV() do { rc = RTUtf16ToUtf8(str, &psz); RC_CHECK(); } while (0)
6239#define STR_FREE() do { if (str) { SysFreeString(str); str = NULL; } if (psz) { RTStrFree(psz); psz = NULL; } } while (0)
6240#define RC_CHECK() do { if (VBOX_FAILURE(rc)) { AssertMsgFailed(("rc=%Vrc\n", rc)); STR_FREE(); return rc; } } while (0)
6241#define H() do { if (FAILED(hrc)) { AssertMsgFailed(("hrc=%Rhrc (%#x)\n", hrc, hrc)); STR_FREE(); *phrc = hrc; return VERR_GENERAL_FAILURE; } } while (0)
6242
6243 /*
6244 * Figure out which IDE device this is.
6245 */
6246 ComPtr<IHardDisk> hardDisk;
6247 hrc = hda->COMGETTER(HardDisk)(hardDisk.asOutParam()); H();
6248 StorageBus_T enmBus;
6249 hrc = hda->COMGETTER(Bus)(&enmBus); H();
6250 LONG lDev;
6251 hrc = hda->COMGETTER(Device)(&lDev); H();
6252 LONG lChannel;
6253 hrc = hda->COMGETTER(Channel)(&lChannel); H();
6254
6255 int iLUN;
6256 switch (enmBus)
6257 {
6258 case StorageBus_IDE:
6259 {
6260 if (lChannel >= 2)
6261 {
6262 AssertMsgFailed(("invalid controller channel number: %d\n", lChannel));
6263 return VERR_GENERAL_FAILURE;
6264 }
6265
6266 if (lDev >= 2)
6267 {
6268 AssertMsgFailed(("invalid controller device number: %d\n", lDev));
6269 return VERR_GENERAL_FAILURE;
6270 }
6271 iLUN = 2*lChannel + lDev;
6272 }
6273 break;
6274 case StorageBus_SATA:
6275 iLUN = lChannel;
6276 break;
6277 default:
6278 AssertMsgFailed(("invalid disk controller type: %d\n", enmBus));
6279 return VERR_GENERAL_FAILURE;
6280 }
6281
6282 /*
6283 * Is there an existing LUN? If not create it.
6284 * We ASSUME that this will NEVER collide with the DVD.
6285 */
6286 PCFGMNODE pCfg;
6287 PCFGMNODE pLunL1 = CFGMR3GetChildF(CFGMR3GetRoot(pVM), "Devices/piix3ide/0/LUN#%d/AttachedDriver/", iLUN);
6288 if (!pLunL1)
6289 {
6290 PCFGMNODE pInst = CFGMR3GetChild(CFGMR3GetRoot(pVM), "Devices/piix3ide/0/");
6291 AssertReturn(pInst, VERR_INTERNAL_ERROR);
6292
6293 PCFGMNODE pLunL0;
6294 rc = CFGMR3InsertNodeF(pInst, &pLunL0, "LUN#%d", iLUN); RC_CHECK();
6295 rc = CFGMR3InsertString(pLunL0, "Driver", "Block"); RC_CHECK();
6296 rc = CFGMR3InsertNode(pLunL0, "Config", &pCfg); RC_CHECK();
6297 rc = CFGMR3InsertString(pCfg, "Type", "HardDisk"); RC_CHECK();
6298 rc = CFGMR3InsertInteger(pCfg, "Mountable", 0); RC_CHECK();
6299
6300 rc = CFGMR3InsertNode(pLunL0, "AttachedDriver", &pLunL1); RC_CHECK();
6301 rc = CFGMR3InsertString(pLunL1, "Driver", "VBoxHDD"); RC_CHECK();
6302 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
6303 }
6304 else
6305 {
6306#ifdef VBOX_STRICT
6307 char *pszDriver;
6308 rc = CFGMR3QueryStringAlloc(pLunL1, "Driver", &pszDriver); RC_CHECK();
6309 Assert(!strcmp(pszDriver, "VBoxHDD"));
6310 MMR3HeapFree(pszDriver);
6311#endif
6312
6313 /*
6314 * Check if things has changed.
6315 */
6316 pCfg = CFGMR3GetChild(pLunL1, "Config");
6317 AssertReturn(pCfg, VERR_INTERNAL_ERROR);
6318
6319 /* the image */
6320 /// @todo (dmik) we temporarily use the location property to
6321 // determine the image file name. This is subject to change
6322 // when iSCSI disks are here (we should either query a
6323 // storage-specific interface from IHardDisk, or "standardize"
6324 // the location property)
6325 hrc = hardDisk->COMGETTER(Location)(&str); H();
6326 STR_CONV();
6327 char *pszPath;
6328 rc = CFGMR3QueryStringAlloc(pCfg, "Path", &pszPath); RC_CHECK();
6329 if (!strcmp(psz, pszPath))
6330 {
6331 /* parent images. */
6332 ComPtr<IHardDisk> parentHardDisk = hardDisk;
6333 for (PCFGMNODE pParent = pCfg;;)
6334 {
6335 MMR3HeapFree(pszPath);
6336 pszPath = NULL;
6337 STR_FREE();
6338
6339 /* get parent */
6340 ComPtr<IHardDisk> curHardDisk;
6341 hrc = parentHardDisk->COMGETTER(Parent)(curHardDisk.asOutParam()); H();
6342 PCFGMNODE pCur;
6343 pCur = CFGMR3GetChild(pParent, "Parent");
6344 if (!pCur && !curHardDisk)
6345 {
6346 /* no change */
6347 LogFlowFunc (("No change!\n"));
6348 return VINF_SUCCESS;
6349 }
6350 if (!pCur || !curHardDisk)
6351 break;
6352
6353 /* compare paths. */
6354 /// @todo (dmik) we temporarily use the location property to
6355 // determine the image file name. This is subject to change
6356 // when iSCSI disks are here (we should either query a
6357 // storage-specific interface from IHardDisk, or "standardize"
6358 // the location property)
6359 hrc = curHardDisk->COMGETTER(Location)(&str); H();
6360 STR_CONV();
6361 rc = CFGMR3QueryStringAlloc(pCfg, "Path", &pszPath); RC_CHECK();
6362 if (strcmp(psz, pszPath))
6363 break;
6364
6365 /* next */
6366 pParent = pCur;
6367 parentHardDisk = curHardDisk;
6368 }
6369
6370 }
6371 else
6372 LogFlowFunc (("LUN#%d: old leaf image '%s'\n", iLUN, pszPath));
6373
6374 MMR3HeapFree(pszPath);
6375 STR_FREE();
6376
6377 /*
6378 * Detach the driver and replace the config node.
6379 */
6380 rc = PDMR3DeviceDetach(pVM, "piix3ide", 0, iLUN); RC_CHECK();
6381 CFGMR3RemoveNode(pCfg);
6382 rc = CFGMR3InsertNode(pLunL1, "Config", &pCfg); RC_CHECK();
6383 }
6384
6385 /*
6386 * Create the driver configuration.
6387 */
6388 /// @todo (dmik) we temporarily use the location property to
6389 // determine the image file name. This is subject to change
6390 // when iSCSI disks are here (we should either query a
6391 // storage-specific interface from IHardDisk, or "standardize"
6392 // the location property)
6393 hrc = hardDisk->COMGETTER(Location)(&str); H();
6394 STR_CONV();
6395 LogFlowFunc (("LUN#%d: leaf image '%s'\n", iLUN, psz));
6396 rc = CFGMR3InsertString(pCfg, "Path", psz); RC_CHECK();
6397 STR_FREE();
6398 /* Create an inversed tree of parents. */
6399 ComPtr<IHardDisk> parentHardDisk = hardDisk;
6400 for (PCFGMNODE pParent = pCfg;;)
6401 {
6402 ComPtr<IHardDisk> curHardDisk;
6403 hrc = parentHardDisk->COMGETTER(Parent)(curHardDisk.asOutParam()); H();
6404 if (!curHardDisk)
6405 break;
6406
6407 PCFGMNODE pCur;
6408 rc = CFGMR3InsertNode(pParent, "Parent", &pCur); RC_CHECK();
6409 /// @todo (dmik) we temporarily use the location property to
6410 // determine the image file name. This is subject to change
6411 // when iSCSI disks are here (we should either query a
6412 // storage-specific interface from IHardDisk, or "standardize"
6413 // the location property)
6414 hrc = curHardDisk->COMGETTER(Location)(&str); H();
6415 STR_CONV();
6416 rc = CFGMR3InsertString(pCur, "Path", psz); RC_CHECK();
6417 STR_FREE();
6418
6419 /* next */
6420 pParent = pCur;
6421 parentHardDisk = curHardDisk;
6422 }
6423
6424 /*
6425 * Attach the new driver.
6426 */
6427 rc = PDMR3DeviceAttach(pVM, "piix3ide", 0, iLUN, NULL); RC_CHECK();
6428
6429 LogFlowFunc (("Returns success\n"));
6430 return rc;
6431}
6432
6433
6434/**
6435 * Thread for executing the saved state operation.
6436 *
6437 * @param Thread The thread handle.
6438 * @param pvUser Pointer to a VMSaveTask structure.
6439 * @return VINF_SUCCESS (ignored).
6440 *
6441 * @note Locks the Console object for writing.
6442 */
6443/*static*/
6444DECLCALLBACK (int) Console::saveStateThread (RTTHREAD Thread, void *pvUser)
6445{
6446 LogFlowFuncEnter();
6447
6448 std::auto_ptr <VMSaveTask> task (static_cast <VMSaveTask *> (pvUser));
6449 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
6450
6451 Assert (!task->mSavedStateFile.isNull());
6452 Assert (!task->mProgress.isNull());
6453
6454 const ComObjPtr <Console> &that = task->mConsole;
6455
6456 /*
6457 * Note: no need to use addCaller() to protect Console or addVMCaller() to
6458 * protect mpVM because VMSaveTask does that
6459 */
6460
6461 Utf8Str errMsg;
6462 HRESULT rc = S_OK;
6463
6464 if (task->mIsSnapshot)
6465 {
6466 Assert (!task->mServerProgress.isNull());
6467 LogFlowFunc (("Waiting until the server creates differencing VDIs...\n"));
6468
6469 rc = task->mServerProgress->WaitForCompletion (-1);
6470 if (SUCCEEDED (rc))
6471 {
6472 HRESULT result = S_OK;
6473 rc = task->mServerProgress->COMGETTER(ResultCode) (&result);
6474 if (SUCCEEDED (rc))
6475 rc = result;
6476 }
6477 }
6478
6479 if (SUCCEEDED (rc))
6480 {
6481 LogFlowFunc (("Saving the state to '%s'...\n", task->mSavedStateFile.raw()));
6482
6483 int vrc = VMR3Save (that->mpVM, task->mSavedStateFile,
6484 Console::stateProgressCallback,
6485 static_cast <VMProgressTask *> (task.get()));
6486 if (VBOX_FAILURE (vrc))
6487 {
6488 errMsg = Utf8StrFmt (
6489 Console::tr ("Failed to save the machine state to '%s' (%Vrc)"),
6490 task->mSavedStateFile.raw(), vrc);
6491 rc = E_FAIL;
6492 }
6493 }
6494
6495 /* lock the console sonce we're going to access it */
6496 AutoWriteLock thatLock (that);
6497
6498 if (SUCCEEDED (rc))
6499 {
6500 if (task->mIsSnapshot)
6501 do
6502 {
6503 LogFlowFunc (("Reattaching new differencing VDIs...\n"));
6504
6505 ComPtr <IHardDiskAttachmentCollection> hdaColl;
6506 rc = that->mMachine->COMGETTER(HardDiskAttachments) (hdaColl.asOutParam());
6507 if (FAILED (rc))
6508 break;
6509 ComPtr <IHardDiskAttachmentEnumerator> hdaEn;
6510 rc = hdaColl->Enumerate (hdaEn.asOutParam());
6511 if (FAILED (rc))
6512 break;
6513 BOOL more = FALSE;
6514 while (SUCCEEDED (rc = hdaEn->HasMore (&more)) && more)
6515 {
6516 ComPtr <IHardDiskAttachment> hda;
6517 rc = hdaEn->GetNext (hda.asOutParam());
6518 if (FAILED (rc))
6519 break;
6520
6521 PVMREQ pReq;
6522 IHardDiskAttachment *pHda = hda;
6523 /*
6524 * don't leave the lock since reconfigureVDI isn't going to
6525 * access Console.
6526 */
6527 int vrc = VMR3ReqCall (that->mpVM, &pReq, RT_INDEFINITE_WAIT,
6528 (PFNRT)reconfigureVDI, 3, that->mpVM,
6529 pHda, &rc);
6530 if (VBOX_SUCCESS (rc))
6531 rc = pReq->iStatus;
6532 VMR3ReqFree (pReq);
6533 if (FAILED (rc))
6534 break;
6535 if (VBOX_FAILURE (vrc))
6536 {
6537 errMsg = Utf8StrFmt (Console::tr ("%Vrc"), vrc);
6538 rc = E_FAIL;
6539 break;
6540 }
6541 }
6542 }
6543 while (0);
6544 }
6545
6546 /* finalize the procedure regardless of the result */
6547 if (task->mIsSnapshot)
6548 {
6549 /*
6550 * finalize the requested snapshot object.
6551 * This will reset the machine state to the state it had right
6552 * before calling mControl->BeginTakingSnapshot().
6553 */
6554 that->mControl->EndTakingSnapshot (SUCCEEDED (rc));
6555 }
6556 else
6557 {
6558 /*
6559 * finalize the requested save state procedure.
6560 * In case of success, the server will set the machine state to Saved;
6561 * in case of failure it will reset the it to the state it had right
6562 * before calling mControl->BeginSavingState().
6563 */
6564 that->mControl->EndSavingState (SUCCEEDED (rc));
6565 }
6566
6567 /* synchronize the state with the server */
6568 if (task->mIsSnapshot || FAILED (rc))
6569 {
6570 if (task->mLastMachineState == MachineState_Running)
6571 {
6572 /* restore the paused state if appropriate */
6573 that->setMachineStateLocally (MachineState_Paused);
6574 /* restore the running state if appropriate */
6575 that->Resume();
6576 }
6577 else
6578 that->setMachineStateLocally (task->mLastMachineState);
6579 }
6580 else
6581 {
6582 /*
6583 * The machine has been successfully saved, so power it down
6584 * (vmstateChangeCallback() will set state to Saved on success).
6585 * Note: we release the task's VM caller, otherwise it will
6586 * deadlock.
6587 */
6588 task->releaseVMCaller();
6589
6590 rc = that->powerDown();
6591 }
6592
6593 /* notify the progress object about operation completion */
6594 if (SUCCEEDED (rc))
6595 task->mProgress->notifyComplete (S_OK);
6596 else
6597 {
6598 if (!errMsg.isNull())
6599 task->mProgress->notifyComplete (rc,
6600 COM_IIDOF(IConsole), Console::getComponentName(), errMsg);
6601 else
6602 task->mProgress->notifyComplete (rc);
6603 }
6604
6605 LogFlowFuncLeave();
6606 return VINF_SUCCESS;
6607}
6608
6609/**
6610 * Thread for powering down the Console.
6611 *
6612 * @param Thread The thread handle.
6613 * @param pvUser Pointer to the VMTask structure.
6614 * @return VINF_SUCCESS (ignored).
6615 *
6616 * @note Locks the Console object for writing.
6617 */
6618/*static*/
6619DECLCALLBACK (int) Console::powerDownThread (RTTHREAD Thread, void *pvUser)
6620{
6621 LogFlowFuncEnter();
6622
6623 std::auto_ptr <VMTask> task (static_cast <VMTask *> (pvUser));
6624 AssertReturn (task.get(), VERR_INVALID_PARAMETER);
6625
6626 AssertReturn (task->isOk(), VERR_GENERAL_FAILURE);
6627
6628 const ComObjPtr <Console> &that = task->mConsole;
6629
6630 /*
6631 * Note: no need to use addCaller() to protect Console
6632 * because VMTask does that
6633 */
6634
6635 /* release VM caller to let powerDown() proceed */
6636 task->releaseVMCaller();
6637
6638 HRESULT rc = that->powerDown();
6639 AssertComRC (rc);
6640
6641 LogFlowFuncLeave();
6642 return VINF_SUCCESS;
6643}
6644
6645/**
6646 * The Main status driver instance data.
6647 */
6648typedef struct DRVMAINSTATUS
6649{
6650 /** The LED connectors. */
6651 PDMILEDCONNECTORS ILedConnectors;
6652 /** Pointer to the LED ports interface above us. */
6653 PPDMILEDPORTS pLedPorts;
6654 /** Pointer to the array of LED pointers. */
6655 PPDMLED *papLeds;
6656 /** The unit number corresponding to the first entry in the LED array. */
6657 RTUINT iFirstLUN;
6658 /** The unit number corresponding to the last entry in the LED array.
6659 * (The size of the LED array is iLastLUN - iFirstLUN + 1.) */
6660 RTUINT iLastLUN;
6661} DRVMAINSTATUS, *PDRVMAINSTATUS;
6662
6663
6664/**
6665 * Notification about a unit which have been changed.
6666 *
6667 * The driver must discard any pointers to data owned by
6668 * the unit and requery it.
6669 *
6670 * @param pInterface Pointer to the interface structure containing the called function pointer.
6671 * @param iLUN The unit number.
6672 */
6673DECLCALLBACK(void) Console::drvStatus_UnitChanged(PPDMILEDCONNECTORS pInterface, unsigned iLUN)
6674{
6675 PDRVMAINSTATUS pData = (PDRVMAINSTATUS)(void *)pInterface;
6676 if (iLUN >= pData->iFirstLUN && iLUN <= pData->iLastLUN)
6677 {
6678 PPDMLED pLed;
6679 int rc = pData->pLedPorts->pfnQueryStatusLed(pData->pLedPorts, iLUN, &pLed);
6680 if (VBOX_FAILURE(rc))
6681 pLed = NULL;
6682 ASMAtomicXchgPtr((void * volatile *)&pData->papLeds[iLUN - pData->iFirstLUN], pLed);
6683 Log(("drvStatus_UnitChanged: iLUN=%d pLed=%p\n", iLUN, pLed));
6684 }
6685}
6686
6687
6688/**
6689 * Queries an interface to the driver.
6690 *
6691 * @returns Pointer to interface.
6692 * @returns NULL if the interface was not supported by the driver.
6693 * @param pInterface Pointer to this interface structure.
6694 * @param enmInterface The requested interface identification.
6695 */
6696DECLCALLBACK(void *) Console::drvStatus_QueryInterface(PPDMIBASE pInterface, PDMINTERFACE enmInterface)
6697{
6698 PPDMDRVINS pDrvIns = PDMIBASE_2_PDMDRV(pInterface);
6699 PDRVMAINSTATUS pDrv = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
6700 switch (enmInterface)
6701 {
6702 case PDMINTERFACE_BASE:
6703 return &pDrvIns->IBase;
6704 case PDMINTERFACE_LED_CONNECTORS:
6705 return &pDrv->ILedConnectors;
6706 default:
6707 return NULL;
6708 }
6709}
6710
6711
6712/**
6713 * Destruct a status driver instance.
6714 *
6715 * @returns VBox status.
6716 * @param pDrvIns The driver instance data.
6717 */
6718DECLCALLBACK(void) Console::drvStatus_Destruct(PPDMDRVINS pDrvIns)
6719{
6720 PDRVMAINSTATUS pData = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
6721 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
6722 if (pData->papLeds)
6723 {
6724 unsigned iLed = pData->iLastLUN - pData->iFirstLUN + 1;
6725 while (iLed-- > 0)
6726 ASMAtomicXchgPtr((void * volatile *)&pData->papLeds[iLed], NULL);
6727 }
6728}
6729
6730
6731/**
6732 * Construct a status driver instance.
6733 *
6734 * @returns VBox status.
6735 * @param pDrvIns The driver instance data.
6736 * If the registration structure is needed, pDrvIns->pDrvReg points to it.
6737 * @param pCfgHandle Configuration node handle for the driver. Use this to obtain the configuration
6738 * of the driver instance. It's also found in pDrvIns->pCfgHandle, but like
6739 * iInstance it's expected to be used a bit in this function.
6740 */
6741DECLCALLBACK(int) Console::drvStatus_Construct(PPDMDRVINS pDrvIns, PCFGMNODE pCfgHandle)
6742{
6743 PDRVMAINSTATUS pData = PDMINS2DATA(pDrvIns, PDRVMAINSTATUS);
6744 LogFlowFunc(("iInstance=%d\n", pDrvIns->iInstance));
6745
6746 /*
6747 * Validate configuration.
6748 */
6749 if (!CFGMR3AreValuesValid(pCfgHandle, "papLeds\0First\0Last\0"))
6750 return VERR_PDM_DRVINS_UNKNOWN_CFG_VALUES;
6751 PPDMIBASE pBaseIgnore;
6752 int rc = pDrvIns->pDrvHlp->pfnAttach(pDrvIns, &pBaseIgnore);
6753 if (rc != VERR_PDM_NO_ATTACHED_DRIVER)
6754 {
6755 AssertMsgFailed(("Configuration error: Not possible to attach anything to this driver!\n"));
6756 return VERR_PDM_DRVINS_NO_ATTACH;
6757 }
6758
6759 /*
6760 * Data.
6761 */
6762 pDrvIns->IBase.pfnQueryInterface = Console::drvStatus_QueryInterface;
6763 pData->ILedConnectors.pfnUnitChanged = Console::drvStatus_UnitChanged;
6764
6765 /*
6766 * Read config.
6767 */
6768 rc = CFGMR3QueryPtr(pCfgHandle, "papLeds", (void **)&pData->papLeds);
6769 if (VBOX_FAILURE(rc))
6770 {
6771 AssertMsgFailed(("Configuration error: Failed to query the \"papLeds\" value! rc=%Vrc\n", rc));
6772 return rc;
6773 }
6774
6775 rc = CFGMR3QueryU32(pCfgHandle, "First", &pData->iFirstLUN);
6776 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
6777 pData->iFirstLUN = 0;
6778 else if (VBOX_FAILURE(rc))
6779 {
6780 AssertMsgFailed(("Configuration error: Failed to query the \"First\" value! rc=%Vrc\n", rc));
6781 return rc;
6782 }
6783
6784 rc = CFGMR3QueryU32(pCfgHandle, "Last", &pData->iLastLUN);
6785 if (rc == VERR_CFGM_VALUE_NOT_FOUND)
6786 pData->iLastLUN = 0;
6787 else if (VBOX_FAILURE(rc))
6788 {
6789 AssertMsgFailed(("Configuration error: Failed to query the \"Last\" value! rc=%Vrc\n", rc));
6790 return rc;
6791 }
6792 if (pData->iFirstLUN > pData->iLastLUN)
6793 {
6794 AssertMsgFailed(("Configuration error: Invalid unit range %u-%u\n", pData->iFirstLUN, pData->iLastLUN));
6795 return VERR_GENERAL_FAILURE;
6796 }
6797
6798 /*
6799 * Get the ILedPorts interface of the above driver/device and
6800 * query the LEDs we want.
6801 */
6802 pData->pLedPorts = (PPDMILEDPORTS)pDrvIns->pUpBase->pfnQueryInterface(pDrvIns->pUpBase, PDMINTERFACE_LED_PORTS);
6803 if (!pData->pLedPorts)
6804 {
6805 AssertMsgFailed(("Configuration error: No led ports interface above!\n"));
6806 return VERR_PDM_MISSING_INTERFACE_ABOVE;
6807 }
6808
6809 for (unsigned i = pData->iFirstLUN; i <= pData->iLastLUN; i++)
6810 Console::drvStatus_UnitChanged(&pData->ILedConnectors, i);
6811
6812 return VINF_SUCCESS;
6813}
6814
6815
6816/**
6817 * Keyboard driver registration record.
6818 */
6819const PDMDRVREG Console::DrvStatusReg =
6820{
6821 /* u32Version */
6822 PDM_DRVREG_VERSION,
6823 /* szDriverName */
6824 "MainStatus",
6825 /* pszDescription */
6826 "Main status driver (Main as in the API).",
6827 /* fFlags */
6828 PDM_DRVREG_FLAGS_HOST_BITS_DEFAULT,
6829 /* fClass. */
6830 PDM_DRVREG_CLASS_STATUS,
6831 /* cMaxInstances */
6832 ~0,
6833 /* cbInstance */
6834 sizeof(DRVMAINSTATUS),
6835 /* pfnConstruct */
6836 Console::drvStatus_Construct,
6837 /* pfnDestruct */
6838 Console::drvStatus_Destruct,
6839 /* pfnIOCtl */
6840 NULL,
6841 /* pfnPowerOn */
6842 NULL,
6843 /* pfnReset */
6844 NULL,
6845 /* pfnSuspend */
6846 NULL,
6847 /* pfnResume */
6848 NULL,
6849 /* pfnDetach */
6850 NULL
6851};
6852
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