VirtualBox

source: vbox/trunk/src/VBox/Main/include/GuestCtrlImplPrivate.h@ 83556

Last change on this file since 83556 was 83556, checked in by vboxsync, 5 years ago

Guest Control/Main: Implemented first file open info validation. bugref:9320

  • Property svn:eol-style set to native
  • Property svn:keywords set to Author Date Id Revision
File size: 36.5 KB
Line 
1/* $Id: GuestCtrlImplPrivate.h 83556 2020-04-04 13:53:35Z vboxsync $ */
2/** @file
3 * Internal helpers/structures for guest control functionality.
4 */
5
6/*
7 * Copyright (C) 2011-2020 Oracle Corporation
8 *
9 * This file is part of VirtualBox Open Source Edition (OSE), as
10 * available from http://www.virtualbox.org. This file is free software;
11 * you can redistribute it and/or modify it under the terms of the GNU
12 * General Public License (GPL) as published by the Free Software
13 * Foundation, in version 2 as it comes in the "COPYING" file of the
14 * VirtualBox OSE distribution. VirtualBox OSE is distributed in the
15 * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind.
16 */
17
18#ifndef MAIN_INCLUDED_GuestCtrlImplPrivate_h
19#define MAIN_INCLUDED_GuestCtrlImplPrivate_h
20#ifndef RT_WITHOUT_PRAGMA_ONCE
21# pragma once
22#endif
23
24#include "ConsoleImpl.h"
25#include "Global.h"
26
27#include <iprt/asm.h>
28#include <iprt/env.h>
29#include <iprt/semaphore.h>
30#include <iprt/cpp/utils.h>
31
32#include <VBox/com/com.h>
33#include <VBox/com/ErrorInfo.h>
34#include <VBox/com/string.h>
35#include <VBox/com/VirtualBox.h>
36#include <VBox/err.h> /* VERR_GSTCTL_GUEST_ERROR */
37
38#include <map>
39#include <vector>
40
41using namespace com;
42
43#ifdef VBOX_WITH_GUEST_CONTROL
44# include <VBox/GuestHost/GuestControl.h>
45# include <VBox/HostServices/GuestControlSvc.h>
46using namespace guestControl;
47#endif
48
49/** Vector holding a process' CPU affinity. */
50typedef std::vector <LONG> ProcessAffinity;
51/** Vector holding process startup arguments. */
52typedef std::vector <Utf8Str> ProcessArguments;
53
54class GuestProcessStreamBlock;
55class GuestSession;
56
57
58/**
59 * Simple structure mantaining guest credentials.
60 */
61struct GuestCredentials
62{
63 Utf8Str mUser;
64 Utf8Str mPassword;
65 Utf8Str mDomain;
66};
67
68
69/**
70 * Wrapper around the RTEnv API, unusable base class.
71 *
72 * @remarks Feel free to elevate this class to iprt/cpp/env.h as RTCEnv.
73 */
74class GuestEnvironmentBase
75{
76public:
77 /**
78 * Default constructor.
79 *
80 * The user must invoke one of the init methods before using the object.
81 */
82 GuestEnvironmentBase(void)
83 : m_hEnv(NIL_RTENV)
84 , m_cRefs(1)
85 , m_fFlags(0)
86 { }
87
88 /**
89 * Destructor.
90 */
91 virtual ~GuestEnvironmentBase(void)
92 {
93 Assert(m_cRefs <= 1);
94 int rc = RTEnvDestroy(m_hEnv); AssertRC(rc);
95 m_hEnv = NIL_RTENV;
96 }
97
98 /**
99 * Retains a reference to this object.
100 * @returns New reference count.
101 * @remarks Sharing an object is currently only safe if no changes are made to
102 * it because RTENV does not yet implement any locking. For the only
103 * purpose we need this, implementing IGuestProcess::environment by
104 * using IGuestSession::environmentBase, that's fine as the session
105 * base environment is immutable.
106 */
107 uint32_t retain(void)
108 {
109 uint32_t cRefs = ASMAtomicIncU32(&m_cRefs);
110 Assert(cRefs > 1); Assert(cRefs < _1M);
111 return cRefs;
112
113 }
114 /** Useful shortcut. */
115 uint32_t retainConst(void) const { return unconst(this)->retain(); }
116
117 /**
118 * Releases a reference to this object, deleting the object when reaching zero.
119 * @returns New reference count.
120 */
121 uint32_t release(void)
122 {
123 uint32_t cRefs = ASMAtomicDecU32(&m_cRefs);
124 Assert(cRefs < _1M);
125 if (cRefs == 0)
126 delete this;
127 return cRefs;
128 }
129
130 /** Useful shortcut. */
131 uint32_t releaseConst(void) const { return unconst(this)->retain(); }
132
133 /**
134 * Checks if the environment has been successfully initialized or not.
135 *
136 * @returns @c true if initialized, @c false if not.
137 */
138 bool isInitialized(void) const
139 {
140 return m_hEnv != NIL_RTENV;
141 }
142
143 /**
144 * Returns the variable count.
145 * @return Number of variables.
146 * @sa RTEnvCountEx
147 */
148 uint32_t count(void) const
149 {
150 return RTEnvCountEx(m_hEnv);
151 }
152
153 /**
154 * Deletes the environment change record entirely.
155 *
156 * The count() method will return zero after this call.
157 *
158 * @sa RTEnvReset
159 */
160 void reset(void)
161 {
162 int rc = RTEnvReset(m_hEnv);
163 AssertRC(rc);
164 }
165
166 /**
167 * Exports the environment change block as an array of putenv style strings.
168 *
169 *
170 * @returns VINF_SUCCESS or VERR_NO_MEMORY.
171 * @param pArray The output array.
172 */
173 int queryPutEnvArray(std::vector<com::Utf8Str> *pArray) const
174 {
175 uint32_t cVars = RTEnvCountEx(m_hEnv);
176 try
177 {
178 pArray->resize(cVars);
179 for (uint32_t iVar = 0; iVar < cVars; iVar++)
180 {
181 const char *psz = RTEnvGetByIndexRawEx(m_hEnv, iVar);
182 AssertReturn(psz, VERR_INTERNAL_ERROR_3); /* someone is racing us! */
183 (*pArray)[iVar] = psz;
184 }
185 return VINF_SUCCESS;
186 }
187 catch (std::bad_alloc &)
188 {
189 return VERR_NO_MEMORY;
190 }
191 }
192
193 /**
194 * Applies an array of putenv style strings.
195 *
196 * @returns IPRT status code.
197 * @param rArray The array with the putenv style strings.
198 * @param pidxError Where to return the index causing trouble on
199 * failure. Optional.
200 * @sa RTEnvPutEx
201 */
202 int applyPutEnvArray(const std::vector<com::Utf8Str> &rArray, size_t *pidxError = NULL)
203 {
204 size_t const cArray = rArray.size();
205 for (size_t i = 0; i < cArray; i++)
206 {
207 int rc = RTEnvPutEx(m_hEnv, rArray[i].c_str());
208 if (RT_FAILURE(rc))
209 {
210 if (pidxError)
211 *pidxError = i;
212 return rc;
213 }
214 }
215 return VINF_SUCCESS;
216 }
217
218 /**
219 * Applies the changes from another environment to this.
220 *
221 * @returns IPRT status code.
222 * @param rChanges Reference to an environment which variables will be
223 * imported and, if it's a change record, schedule
224 * variable unsets will be applied.
225 * @sa RTEnvApplyChanges
226 */
227 int applyChanges(const GuestEnvironmentBase &rChanges)
228 {
229 return RTEnvApplyChanges(m_hEnv, rChanges.m_hEnv);
230 }
231
232 /**
233 * See RTEnvQueryUtf8Block for details.
234 * @returns IPRT status code.
235 * @param ppszzBlock Where to return the block pointer.
236 * @param pcbBlock Where to optionally return the block size.
237 * @sa RTEnvQueryUtf8Block
238 */
239 int queryUtf8Block(char **ppszzBlock, size_t *pcbBlock)
240 {
241 return RTEnvQueryUtf8Block(m_hEnv, true /*fSorted*/, ppszzBlock, pcbBlock);
242 }
243
244 /**
245 * Frees what queryUtf8Block returned, NULL ignored.
246 * @sa RTEnvFreeUtf8Block
247 */
248 static void freeUtf8Block(char *pszzBlock)
249 {
250 return RTEnvFreeUtf8Block(pszzBlock);
251 }
252
253 /**
254 * Applies a block on the format returned by queryUtf8Block.
255 *
256 * @returns IPRT status code.
257 * @param pszzBlock Pointer to the block.
258 * @param cbBlock The size of the block.
259 * @param fNoEqualMeansUnset Whether the lack of a '=' (equal) sign in a
260 * string means it should be unset (@c true), or if
261 * it means the variable should be defined with an
262 * empty value (@c false, the default).
263 * @todo move this to RTEnv!
264 */
265 int copyUtf8Block(const char *pszzBlock, size_t cbBlock, bool fNoEqualMeansUnset = false)
266 {
267 int rc = VINF_SUCCESS;
268 while (cbBlock > 0 && *pszzBlock != '\0')
269 {
270 const char *pszEnd = (const char *)memchr(pszzBlock, '\0', cbBlock);
271 if (!pszEnd)
272 return VERR_BUFFER_UNDERFLOW;
273 int rc2;
274 if (fNoEqualMeansUnset || strchr(pszzBlock, '='))
275 rc2 = RTEnvPutEx(m_hEnv, pszzBlock);
276 else
277 rc2 = RTEnvSetEx(m_hEnv, pszzBlock, "");
278 if (RT_FAILURE(rc2) && RT_SUCCESS(rc))
279 rc = rc2;
280
281 /* Advance. */
282 cbBlock -= pszEnd - pszzBlock;
283 if (cbBlock < 2)
284 return VERR_BUFFER_UNDERFLOW;
285 cbBlock--;
286 pszzBlock = pszEnd + 1;
287 }
288
289 /* The remainder must be zero padded. */
290 if (RT_SUCCESS(rc))
291 {
292 if (ASMMemIsZero(pszzBlock, cbBlock))
293 return VINF_SUCCESS;
294 return VERR_TOO_MUCH_DATA;
295 }
296 return rc;
297 }
298
299 /**
300 * Get an environment variable.
301 *
302 * @returns IPRT status code.
303 * @param rName The variable name.
304 * @param pValue Where to return the value.
305 * @sa RTEnvGetEx
306 */
307 int getVariable(const com::Utf8Str &rName, com::Utf8Str *pValue) const
308 {
309 size_t cchNeeded;
310 int rc = RTEnvGetEx(m_hEnv, rName.c_str(), NULL, 0, &cchNeeded);
311 if ( RT_SUCCESS(rc)
312 || rc == VERR_BUFFER_OVERFLOW)
313 {
314 try
315 {
316 pValue->reserve(cchNeeded + 1);
317 rc = RTEnvGetEx(m_hEnv, rName.c_str(), pValue->mutableRaw(), pValue->capacity(), NULL);
318 pValue->jolt();
319 }
320 catch (std::bad_alloc &)
321 {
322 rc = VERR_NO_STR_MEMORY;
323 }
324 }
325 return rc;
326 }
327
328 /**
329 * Checks if the given variable exists.
330 *
331 * @returns @c true if it exists, @c false if not or if it's an scheduled unset
332 * in a environment change record.
333 * @param rName The variable name.
334 * @sa RTEnvExistEx
335 */
336 bool doesVariableExist(const com::Utf8Str &rName) const
337 {
338 return RTEnvExistEx(m_hEnv, rName.c_str());
339 }
340
341 /**
342 * Set an environment variable.
343 *
344 * @returns IPRT status code.
345 * @param rName The variable name.
346 * @param rValue The value of the variable.
347 * @sa RTEnvSetEx
348 */
349 int setVariable(const com::Utf8Str &rName, const com::Utf8Str &rValue)
350 {
351 return RTEnvSetEx(m_hEnv, rName.c_str(), rValue.c_str());
352 }
353
354 /**
355 * Unset an environment variable.
356 *
357 * @returns IPRT status code.
358 * @param rName The variable name.
359 * @sa RTEnvUnsetEx
360 */
361 int unsetVariable(const com::Utf8Str &rName)
362 {
363 return RTEnvUnsetEx(m_hEnv, rName.c_str());
364 }
365
366protected:
367 /**
368 * Copy constructor.
369 * @throws HRESULT
370 */
371 GuestEnvironmentBase(const GuestEnvironmentBase &rThat, bool fChangeRecord, uint32_t fFlags = 0)
372 : m_hEnv(NIL_RTENV)
373 , m_cRefs(1)
374 , m_fFlags(fFlags)
375 {
376 int rc = cloneCommon(rThat, fChangeRecord);
377 if (RT_FAILURE(rc))
378 throw (Global::vboxStatusCodeToCOM(rc));
379 }
380
381 /**
382 * Common clone/copy method with type conversion abilities.
383 *
384 * @returns IPRT status code.
385 * @param rThat The object to clone.
386 * @param fChangeRecord Whether the this instance is a change record (true)
387 * or normal (false) environment.
388 */
389 int cloneCommon(const GuestEnvironmentBase &rThat, bool fChangeRecord)
390 {
391 int rc = VINF_SUCCESS;
392 RTENV hNewEnv = NIL_RTENV;
393 if (rThat.m_hEnv != NIL_RTENV)
394 {
395 /*
396 * Clone it.
397 */
398 if (RTEnvIsChangeRecord(rThat.m_hEnv) == fChangeRecord)
399 rc = RTEnvClone(&hNewEnv, rThat.m_hEnv);
400 else
401 {
402 /* Need to type convert it. */
403 if (fChangeRecord)
404 rc = RTEnvCreateChangeRecordEx(&hNewEnv, rThat.m_fFlags);
405 else
406 rc = RTEnvCreateEx(&hNewEnv, rThat.m_fFlags);
407 if (RT_SUCCESS(rc))
408 {
409 rc = RTEnvApplyChanges(hNewEnv, rThat.m_hEnv);
410 if (RT_FAILURE(rc))
411 RTEnvDestroy(hNewEnv);
412 }
413 }
414 }
415 else
416 {
417 /*
418 * Create an empty one so the object works smoothly.
419 * (Relevant for GuestProcessStartupInfo and internal commands.)
420 */
421 if (fChangeRecord)
422 rc = RTEnvCreateChangeRecordEx(&hNewEnv, rThat.m_fFlags);
423 else
424 rc = RTEnvCreateEx(&hNewEnv, rThat.m_fFlags);
425 }
426 if (RT_SUCCESS(rc))
427 {
428 RTEnvDestroy(m_hEnv);
429 m_hEnv = hNewEnv;
430 m_fFlags = rThat.m_fFlags;
431 }
432 return rc;
433 }
434
435
436 /** The environment change record. */
437 RTENV m_hEnv;
438 /** Reference counter. */
439 uint32_t volatile m_cRefs;
440 /** RTENV_CREATE_F_XXX. */
441 uint32_t m_fFlags;
442};
443
444class GuestEnvironmentChanges;
445
446
447/**
448 * Wrapper around the RTEnv API for a normal environment.
449 */
450class GuestEnvironment : public GuestEnvironmentBase
451{
452public:
453 /**
454 * Default constructor.
455 *
456 * The user must invoke one of the init methods before using the object.
457 */
458 GuestEnvironment(void)
459 : GuestEnvironmentBase()
460 { }
461
462 /**
463 * Copy operator.
464 * @param rThat The object to copy.
465 * @throws HRESULT
466 */
467 GuestEnvironment(const GuestEnvironment &rThat)
468 : GuestEnvironmentBase(rThat, false /*fChangeRecord*/)
469 { }
470
471 /**
472 * Copy operator.
473 * @param rThat The object to copy.
474 * @throws HRESULT
475 */
476 GuestEnvironment(const GuestEnvironmentBase &rThat)
477 : GuestEnvironmentBase(rThat, false /*fChangeRecord*/)
478 { }
479
480 /**
481 * Initialize this as a normal environment block.
482 * @returns IPRT status code.
483 * @param fFlags RTENV_CREATE_F_XXX
484 */
485 int initNormal(uint32_t fFlags)
486 {
487 AssertReturn(m_hEnv == NIL_RTENV, VERR_WRONG_ORDER);
488 m_fFlags = fFlags;
489 return RTEnvCreateEx(&m_hEnv, fFlags);
490 }
491
492 /**
493 * Replaces this environemnt with that in @a rThat.
494 *
495 * @returns IPRT status code
496 * @param rThat The environment to copy. If it's a different type
497 * we'll convert the data to a normal environment block.
498 */
499 int copy(const GuestEnvironmentBase &rThat)
500 {
501 return cloneCommon(rThat, false /*fChangeRecord*/);
502 }
503
504 /**
505 * @copydoc copy()
506 */
507 GuestEnvironment &operator=(const GuestEnvironmentBase &rThat)
508 {
509 int rc = copy(rThat);
510 if (RT_FAILURE(rc))
511 throw (Global::vboxStatusCodeToCOM(rc));
512 return *this;
513 }
514
515 /** @copydoc copy() */
516 GuestEnvironment &operator=(const GuestEnvironment &rThat)
517 { return operator=((const GuestEnvironmentBase &)rThat); }
518
519 /** @copydoc copy() */
520 GuestEnvironment &operator=(const GuestEnvironmentChanges &rThat)
521 { return operator=((const GuestEnvironmentBase &)rThat); }
522
523};
524
525
526/**
527 * Wrapper around the RTEnv API for a environment change record.
528 *
529 * This class is used as a record of changes to be applied to a different
530 * environment block (in VBoxService before launching a new process).
531 */
532class GuestEnvironmentChanges : public GuestEnvironmentBase
533{
534public:
535 /**
536 * Default constructor.
537 *
538 * The user must invoke one of the init methods before using the object.
539 */
540 GuestEnvironmentChanges(void)
541 : GuestEnvironmentBase()
542 { }
543
544 /**
545 * Copy operator.
546 * @param rThat The object to copy.
547 * @throws HRESULT
548 */
549 GuestEnvironmentChanges(const GuestEnvironmentChanges &rThat)
550 : GuestEnvironmentBase(rThat, true /*fChangeRecord*/)
551 { }
552
553 /**
554 * Copy operator.
555 * @param rThat The object to copy.
556 * @throws HRESULT
557 */
558 GuestEnvironmentChanges(const GuestEnvironmentBase &rThat)
559 : GuestEnvironmentBase(rThat, true /*fChangeRecord*/)
560 { }
561
562 /**
563 * Initialize this as a environment change record.
564 * @returns IPRT status code.
565 * @param fFlags RTENV_CREATE_F_XXX
566 */
567 int initChangeRecord(uint32_t fFlags)
568 {
569 AssertReturn(m_hEnv == NIL_RTENV, VERR_WRONG_ORDER);
570 m_fFlags = fFlags;
571 return RTEnvCreateChangeRecordEx(&m_hEnv, fFlags);
572 }
573
574 /**
575 * Replaces this environemnt with that in @a rThat.
576 *
577 * @returns IPRT status code
578 * @param rThat The environment to copy. If it's a different type
579 * we'll convert the data to a set of changes.
580 */
581 int copy(const GuestEnvironmentBase &rThat)
582 {
583 return cloneCommon(rThat, true /*fChangeRecord*/);
584 }
585
586 /**
587 * @copydoc copy()
588 */
589 GuestEnvironmentChanges &operator=(const GuestEnvironmentBase &rThat)
590 {
591 int rc = copy(rThat);
592 if (RT_FAILURE(rc))
593 throw (Global::vboxStatusCodeToCOM(rc));
594 return *this;
595 }
596
597 /** @copydoc copy() */
598 GuestEnvironmentChanges &operator=(const GuestEnvironmentChanges &rThat)
599 { return operator=((const GuestEnvironmentBase &)rThat); }
600
601 /** @copydoc copy() */
602 GuestEnvironmentChanges &operator=(const GuestEnvironment &rThat)
603 { return operator=((const GuestEnvironmentBase &)rThat); }
604};
605
606
607/**
608 * Structure for keeping all the relevant guest directory
609 * information around.
610 */
611struct GuestDirectoryOpenInfo
612{
613 GuestDirectoryOpenInfo(void)
614 : mFlags(0) { }
615
616 /** The directory path. */
617 Utf8Str mPath;
618 /** Then open filter. */
619 Utf8Str mFilter;
620 /** Opening flags. */
621 uint32_t mFlags;
622};
623
624
625/**
626 * Structure for keeping all the relevant guest file
627 * information around.
628 */
629struct GuestFileOpenInfo
630{
631 GuestFileOpenInfo(void)
632 : mAccessMode((FileAccessMode_T)0)
633 , mOpenAction((FileOpenAction_T)0)
634 , mSharingMode((FileSharingMode_T)0)
635 , mCreationMode(0)
636 , mfOpenEx(0) { }
637
638 /**
639 * Validates a file open info.
640 *
641 * @returns \c true if valid, \c false if not.
642 */
643 bool IsValid(void) const
644 {
645 if (mfOpenEx) /** @todo Open flags not implemented yet. */
646 return false;
647
648 switch (mOpenAction)
649 {
650 case FileOpenAction_OpenExisting:
651 break;
652 case FileOpenAction_OpenOrCreate:
653 break;
654 case FileOpenAction_CreateNew:
655 break;
656 case FileOpenAction_CreateOrReplace:
657 break;
658 case FileOpenAction_OpenExistingTruncated:
659 {
660 if ( mAccessMode == FileAccessMode_ReadOnly
661 || mAccessMode == FileAccessMode_AppendOnly
662 || mAccessMode == FileAccessMode_AppendRead)
663 return false;
664 break;
665 }
666 case FileOpenAction_AppendOrCreate: /* Deprecated, do not use. */
667 break;
668 default:
669 AssertFailedReturn(false);
670 break;
671 }
672
673 return true; /** @todo Do we need more checks here? */
674 }
675
676 /** The filename. */
677 Utf8Str mFilename;
678 /** The file access mode. */
679 FileAccessMode_T mAccessMode;
680 /** The file open action. */
681 FileOpenAction_T mOpenAction;
682 /** The file sharing mode. */
683 FileSharingMode_T mSharingMode;
684 /** Octal creation mode. */
685 uint32_t mCreationMode;
686 /** Extended open flags (currently none defined). */
687 uint32_t mfOpenEx;
688};
689
690
691/**
692 * Structure representing information of a
693 * file system object.
694 */
695struct GuestFsObjData
696{
697 GuestFsObjData(void)
698 : mType(FsObjType_Unknown)
699 , mObjectSize(0)
700 , mAllocatedSize(0)
701 , mAccessTime(0)
702 , mBirthTime(0)
703 , mChangeTime(0)
704 , mModificationTime(0)
705 , mUID(0)
706 , mGID(0)
707 , mNodeID(0)
708 , mNodeIDDevice(0)
709 , mNumHardLinks(0)
710 , mDeviceNumber(0)
711 , mGenerationID(0)
712 , mUserFlags(0) { }
713
714 /** @name Helper functions to extract the data from a certin VBoxService tool's guest stream block.
715 * @{ */
716 int FromLs(const GuestProcessStreamBlock &strmBlk, bool fLong);
717 int FromStat(const GuestProcessStreamBlock &strmBlk);
718 int FromMkTemp(const GuestProcessStreamBlock &strmBlk);
719 /** @} */
720
721 /** @name Static helper functions to work with time from stream block keys.
722 * @{ */
723 static PRTTIMESPEC TimeSpecFromKey(const GuestProcessStreamBlock &strmBlk, const Utf8Str &strKey, PRTTIMESPEC pTimeSpec);
724 static int64_t UnixEpochNsFromKey(const GuestProcessStreamBlock &strmBlk, const Utf8Str &strKey);
725 /** @} */
726
727 /** @name helper functions to work with IPRT stuff.
728 * @{ */
729 RTFMODE GetFileMode(void) const;
730 /** @} */
731
732 Utf8Str mName;
733 FsObjType_T mType;
734 Utf8Str mFileAttrs;
735 int64_t mObjectSize;
736 int64_t mAllocatedSize;
737 int64_t mAccessTime;
738 int64_t mBirthTime;
739 int64_t mChangeTime;
740 int64_t mModificationTime;
741 Utf8Str mUserName;
742 int32_t mUID;
743 int32_t mGID;
744 Utf8Str mGroupName;
745 Utf8Str mACL;
746 int64_t mNodeID;
747 uint32_t mNodeIDDevice;
748 uint32_t mNumHardLinks;
749 uint32_t mDeviceNumber;
750 uint32_t mGenerationID;
751 uint32_t mUserFlags;
752};
753
754
755/**
756 * Structure for keeping all the relevant guest session
757 * startup parameters around.
758 */
759class GuestSessionStartupInfo
760{
761public:
762
763 GuestSessionStartupInfo(void)
764 : mID(UINT32_MAX)
765 , mIsInternal(false /* Non-internal session */)
766 , mOpenTimeoutMS(30 * 1000 /* 30s opening timeout */)
767 , mOpenFlags(0 /* No opening flags set */) { }
768
769 /** The session's friendly name. Optional. */
770 Utf8Str mName;
771 /** The session's unique ID. Used to encode a context ID.
772 * UINT32_MAX if not initialized. */
773 uint32_t mID;
774 /** Flag indicating if this is an internal session
775 * or not. Internal session are not accessible by
776 * public API clients. */
777 bool mIsInternal;
778 /** Timeout (in ms) used for opening the session. */
779 uint32_t mOpenTimeoutMS;
780 /** Session opening flags. */
781 uint32_t mOpenFlags;
782};
783
784
785/**
786 * Structure for keeping all the relevant guest process
787 * startup parameters around.
788 */
789class GuestProcessStartupInfo
790{
791public:
792
793 GuestProcessStartupInfo(void)
794 : mFlags(ProcessCreateFlag_None)
795 , mTimeoutMS(UINT32_MAX /* No timeout by default */)
796 , mPriority(ProcessPriority_Default)
797 , mAffinity(0) { }
798
799 /** The process' friendly name. */
800 Utf8Str mName;
801 /** The executable. */
802 Utf8Str mExecutable;
803 /** Arguments vector (starting with argument \#0). */
804 ProcessArguments mArguments;
805 /** The process environment change record. */
806 GuestEnvironmentChanges mEnvironmentChanges;
807 /** Process creation flags. */
808 uint32_t mFlags;
809 /** Timeout (in ms) the process is allowed to run.
810 * Specify UINT32_MAX if no timeout (unlimited run time) is given. */
811 ULONG mTimeoutMS;
812 /** Process priority. */
813 ProcessPriority_T mPriority;
814 /** Process affinity. At the moment we
815 * only support 64 VCPUs. API and
816 * guest can do more already! */
817 uint64_t mAffinity;
818};
819
820
821/**
822 * Class representing the "value" side of a "key=value" pair.
823 */
824class GuestProcessStreamValue
825{
826public:
827
828 GuestProcessStreamValue(void) { }
829 GuestProcessStreamValue(const char *pszValue)
830 : mValue(pszValue) {}
831
832 GuestProcessStreamValue(const GuestProcessStreamValue& aThat)
833 : mValue(aThat.mValue) { }
834
835 /** Copy assignment operator. */
836 GuestProcessStreamValue &operator=(GuestProcessStreamValue const &a_rThat) RT_NOEXCEPT
837 {
838 mValue = a_rThat.mValue;
839
840 return *this;
841 }
842
843 Utf8Str mValue;
844};
845
846/** Map containing "key=value" pairs of a guest process stream. */
847typedef std::pair< Utf8Str, GuestProcessStreamValue > GuestCtrlStreamPair;
848typedef std::map < Utf8Str, GuestProcessStreamValue > GuestCtrlStreamPairMap;
849typedef std::map < Utf8Str, GuestProcessStreamValue >::iterator GuestCtrlStreamPairMapIter;
850typedef std::map < Utf8Str, GuestProcessStreamValue >::const_iterator GuestCtrlStreamPairMapIterConst;
851
852/**
853 * Class representing a block of stream pairs (key=value). Each block in a raw guest
854 * output stream is separated by "\0\0", each pair is separated by "\0". The overall
855 * end of a guest stream is marked by "\0\0\0\0".
856 */
857class GuestProcessStreamBlock
858{
859public:
860
861 GuestProcessStreamBlock(void);
862
863 virtual ~GuestProcessStreamBlock(void);
864
865public:
866
867 void Clear(void);
868
869#ifdef DEBUG
870 void DumpToLog(void) const;
871#endif
872
873 const char *GetString(const char *pszKey) const;
874 size_t GetCount(void) const;
875 int GetRc(void) const;
876 int GetInt64Ex(const char *pszKey, int64_t *piVal) const;
877 int64_t GetInt64(const char *pszKey) const;
878 int GetUInt32Ex(const char *pszKey, uint32_t *puVal) const;
879 uint32_t GetUInt32(const char *pszKey, uint32_t uDefault = 0) const;
880 int32_t GetInt32(const char *pszKey, int32_t iDefault = 0) const;
881
882 bool IsEmpty(void) { return mPairs.empty(); }
883
884 int SetValue(const char *pszKey, const char *pszValue);
885
886protected:
887
888 GuestCtrlStreamPairMap mPairs;
889};
890
891/** Vector containing multiple allocated stream pair objects. */
892typedef std::vector< GuestProcessStreamBlock > GuestCtrlStreamObjects;
893typedef std::vector< GuestProcessStreamBlock >::iterator GuestCtrlStreamObjectsIter;
894typedef std::vector< GuestProcessStreamBlock >::const_iterator GuestCtrlStreamObjectsIterConst;
895
896/**
897 * Class for parsing machine-readable guest process output by VBoxService'
898 * toolbox commands ("vbox_ls", "vbox_stat" etc), aka "guest stream".
899 */
900class GuestProcessStream
901{
902
903public:
904
905 GuestProcessStream();
906
907 virtual ~GuestProcessStream();
908
909public:
910
911 int AddData(const BYTE *pbData, size_t cbData);
912
913 void Destroy();
914
915#ifdef DEBUG
916 void Dump(const char *pszFile);
917#endif
918
919 size_t GetOffset() { return m_offBuffer; }
920
921 size_t GetSize() { return m_cbUsed; }
922
923 int ParseBlock(GuestProcessStreamBlock &streamBlock);
924
925protected:
926
927 /** Currently allocated size of internal stream buffer. */
928 size_t m_cbAllocated;
929 /** Currently used size at m_offBuffer. */
930 size_t m_cbUsed;
931 /** Current byte offset within the internal stream buffer. */
932 size_t m_offBuffer;
933 /** Internal stream buffer. */
934 BYTE *m_pbBuffer;
935};
936
937class Guest;
938class Progress;
939
940class GuestWaitEventPayload
941{
942
943public:
944
945 GuestWaitEventPayload(void)
946 : uType(0),
947 cbData(0),
948 pvData(NULL) { }
949
950 GuestWaitEventPayload(uint32_t uTypePayload,
951 const void *pvPayload, uint32_t cbPayload)
952 : uType(0),
953 cbData(0),
954 pvData(NULL)
955 {
956 int rc = copyFrom(uTypePayload, pvPayload, cbPayload);
957 if (RT_FAILURE(rc))
958 throw rc;
959 }
960
961 virtual ~GuestWaitEventPayload(void)
962 {
963 Clear();
964 }
965
966 GuestWaitEventPayload& operator=(const GuestWaitEventPayload &that)
967 {
968 CopyFromDeep(that);
969 return *this;
970 }
971
972public:
973
974 void Clear(void)
975 {
976 if (pvData)
977 {
978 Assert(cbData);
979 RTMemFree(pvData);
980 cbData = 0;
981 pvData = NULL;
982 }
983 uType = 0;
984 }
985
986 int CopyFromDeep(const GuestWaitEventPayload &payload)
987 {
988 return copyFrom(payload.uType, payload.pvData, payload.cbData);
989 }
990
991 const void* Raw(void) const { return pvData; }
992
993 size_t Size(void) const { return cbData; }
994
995 uint32_t Type(void) const { return uType; }
996
997 void* MutableRaw(void) { return pvData; }
998
999 Utf8Str ToString(void)
1000 {
1001 const char *pszStr = (const char *)pvData;
1002 size_t cbStr = cbData;
1003
1004 if (RT_FAILURE(RTStrValidateEncodingEx(pszStr, cbStr,
1005 RTSTR_VALIDATE_ENCODING_ZERO_TERMINATED | RTSTR_VALIDATE_ENCODING_EXACT_LENGTH)))
1006 {
1007 AssertFailed();
1008 return "";
1009 }
1010
1011 return Utf8Str(pszStr, cbStr);
1012 }
1013
1014protected:
1015
1016 int copyFrom(uint32_t uTypePayload, const void *pvPayload, uint32_t cbPayload)
1017 {
1018 if (cbPayload > _64K) /* Paranoia. */
1019 return VERR_TOO_MUCH_DATA;
1020
1021 Clear();
1022
1023 int rc = VINF_SUCCESS;
1024
1025 if (cbPayload)
1026 {
1027 pvData = RTMemAlloc(cbPayload);
1028 if (pvData)
1029 {
1030 uType = uTypePayload;
1031
1032 memcpy(pvData, pvPayload, cbPayload);
1033 cbData = cbPayload;
1034 }
1035 else
1036 rc = VERR_NO_MEMORY;
1037 }
1038 else
1039 {
1040 uType = uTypePayload;
1041
1042 pvData = NULL;
1043 cbData = 0;
1044 }
1045
1046 return rc;
1047 }
1048
1049protected:
1050
1051 /** Type of payload. */
1052 uint32_t uType;
1053 /** Size (in bytes) of payload. */
1054 uint32_t cbData;
1055 /** Pointer to actual payload data. */
1056 void *pvData;
1057};
1058
1059class GuestWaitEventBase
1060{
1061
1062protected:
1063
1064 GuestWaitEventBase(void);
1065 virtual ~GuestWaitEventBase(void);
1066
1067public:
1068
1069 uint32_t ContextID(void) { return mCID; };
1070 int GuestResult(void) { return mGuestRc; }
1071 int Result(void) { return mRc; }
1072 GuestWaitEventPayload & Payload(void) { return mPayload; }
1073 int SignalInternal(int rc, int guestRc, const GuestWaitEventPayload *pPayload);
1074 int Wait(RTMSINTERVAL uTimeoutMS);
1075
1076protected:
1077
1078 int Init(uint32_t uCID);
1079
1080protected:
1081
1082 /* Shutdown indicator. */
1083 bool mfAborted;
1084 /* Associated context ID (CID). */
1085 uint32_t mCID;
1086 /** The event semaphore for triggering
1087 * the actual event. */
1088 RTSEMEVENT mEventSem;
1089 /** The event's overall result. If
1090 * set to VERR_GSTCTL_GUEST_ERROR,
1091 * mGuestRc will contain the actual
1092 * error code from the guest side. */
1093 int mRc;
1094 /** The event'S overall result from the
1095 * guest side. If used, mRc must be
1096 * set to VERR_GSTCTL_GUEST_ERROR. */
1097 int mGuestRc;
1098 /** The event's payload data. Optional. */
1099 GuestWaitEventPayload mPayload;
1100};
1101
1102/** List of public guest event types. */
1103typedef std::list < VBoxEventType_T > GuestEventTypes;
1104
1105class GuestWaitEvent : public GuestWaitEventBase
1106{
1107
1108public:
1109
1110 GuestWaitEvent(void);
1111 virtual ~GuestWaitEvent(void);
1112
1113public:
1114
1115 int Init(uint32_t uCID);
1116 int Init(uint32_t uCID, const GuestEventTypes &lstEvents);
1117 int Cancel(void);
1118 const ComPtr<IEvent> Event(void) { return mEvent; }
1119 bool HasGuestError(void) const { return mRc == VERR_GSTCTL_GUEST_ERROR; }
1120 int GetGuestError(void) const { return mGuestRc; }
1121 int SignalExternal(IEvent *pEvent);
1122 const GuestEventTypes &Types(void) { return mEventTypes; }
1123 size_t TypeCount(void) { return mEventTypes.size(); }
1124
1125protected:
1126
1127 /** List of public event types this event should
1128 * be signalled on. Optional. */
1129 GuestEventTypes mEventTypes;
1130 /** Pointer to the actual public event, if any. */
1131 ComPtr<IEvent> mEvent;
1132};
1133/** Map of pointers to guest events. The primary key
1134 * contains the context ID. */
1135typedef std::map < uint32_t, GuestWaitEvent* > GuestWaitEvents;
1136/** Map of wait events per public guest event. Nice for
1137 * faster lookups when signalling a whole event group. */
1138typedef std::map < VBoxEventType_T, GuestWaitEvents > GuestEventGroup;
1139
1140class GuestBase
1141{
1142
1143public:
1144
1145 GuestBase(void);
1146 virtual ~GuestBase(void);
1147
1148public:
1149
1150 /** Signals a wait event using a public guest event; also used for
1151 * for external event listeners. */
1152 int signalWaitEvent(VBoxEventType_T aType, IEvent *aEvent);
1153 /** Signals a wait event using a guest rc. */
1154 int signalWaitEventInternal(PVBOXGUESTCTRLHOSTCBCTX pCbCtx, int guestRc, const GuestWaitEventPayload *pPayload);
1155 /** Signals a wait event without letting public guest events know,
1156 * extended director's cut version. */
1157 int signalWaitEventInternalEx(PVBOXGUESTCTRLHOSTCBCTX pCbCtx, int rc, int guestRc, const GuestWaitEventPayload *pPayload);
1158
1159public:
1160
1161 int baseInit(void);
1162 void baseUninit(void);
1163 int cancelWaitEvents(void);
1164 int dispatchGeneric(PVBOXGUESTCTRLHOSTCBCTX pCtxCb, PVBOXGUESTCTRLHOSTCALLBACK pSvcCb);
1165 int generateContextID(uint32_t uSessionID, uint32_t uObjectID, uint32_t *puContextID);
1166 int registerWaitEvent(uint32_t uSessionID, uint32_t uObjectID, GuestWaitEvent **ppEvent);
1167 int registerWaitEventEx(uint32_t uSessionID, uint32_t uObjectID, const GuestEventTypes &lstEvents, GuestWaitEvent **ppEvent);
1168 int unregisterWaitEvent(GuestWaitEvent *pEvent);
1169 int waitForEvent(GuestWaitEvent *pEvent, uint32_t uTimeoutMS, VBoxEventType_T *pType, IEvent **ppEvent);
1170
1171public:
1172
1173 static FsObjType_T fileModeToFsObjType(RTFMODE fMode);
1174
1175protected:
1176
1177 /** Pointer to the console object. Needed
1178 * for HGCM (VMMDev) communication. */
1179 Console *mConsole;
1180 /** The next context ID counter component for this object. */
1181 uint32_t mNextContextID;
1182 /** Local listener for handling the waiting events
1183 * internally. */
1184 ComPtr<IEventListener> mLocalListener;
1185 /** Critical section for wait events access. */
1186 RTCRITSECT mWaitEventCritSect;
1187 /** Map of registered wait events per event group. */
1188 GuestEventGroup mWaitEventGroups;
1189 /** Map of registered wait events. */
1190 GuestWaitEvents mWaitEvents;
1191};
1192
1193/**
1194 * Virtual class (interface) for guest objects (processes, files, ...) --
1195 * contains all per-object callback management.
1196 */
1197class GuestObject : public GuestBase
1198{
1199 friend class GuestSession;
1200
1201public:
1202
1203 GuestObject(void);
1204 virtual ~GuestObject(void);
1205
1206public:
1207
1208 ULONG getObjectID(void) { return mObjectID; }
1209
1210protected:
1211
1212 /**
1213 * Called by IGuestSession when the session status has been changed.
1214 *
1215 * @returns VBox status code.
1216 * @param enmSessionStatus New session status.
1217 */
1218 virtual int i_onSessionStatusChange(GuestSessionStatus_T enmSessionStatus) = 0;
1219
1220 /**
1221 * Called by IGuestSession right before this object gets
1222 * unregistered (removed) from the public object list.
1223 */
1224 virtual int i_onUnregister(void) = 0;
1225
1226 /** Callback dispatcher -- must be implemented by the actual object. */
1227 virtual int i_callbackDispatcher(PVBOXGUESTCTRLHOSTCBCTX pCbCtx, PVBOXGUESTCTRLHOSTCALLBACK pSvcCb) = 0;
1228
1229protected:
1230
1231 int bindToSession(Console *pConsole, GuestSession *pSession, uint32_t uObjectID);
1232 int registerWaitEvent(const GuestEventTypes &lstEvents, GuestWaitEvent **ppEvent);
1233 int sendMessage(uint32_t uFunction, uint32_t cParms, PVBOXHGCMSVCPARM paParms);
1234
1235protected:
1236
1237 /** @name Common parameters for all derived objects. They have their own
1238 * mData structure to keep their specific data around.
1239 * @{ */
1240 /** Pointer to parent session. Per definition
1241 * this objects *always* lives shorter than the
1242 * parent.
1243 * @todo r=bird: When wanting to use mSession in the
1244 * IGuestProcess::getEnvironment() implementation I wanted to access
1245 * GuestSession::mData::mpBaseEnvironment. Seeing the comment in
1246 * GuestProcess::terminate() saying:
1247 * "Now only API clients still can hold references to it."
1248 * and recalling seeing similar things in VirtualBox.xidl or some such place,
1249 * I'm wondering how this "per definition" behavior is enforced. Is there any
1250 * GuestProcess:uninit() call or similar magic that invalidates objects that
1251 * GuestSession loses track of in place like GuestProcess::terminate() that I've
1252 * failed to spot?
1253 *
1254 * Please enlighten me.
1255 */
1256 GuestSession *mSession;
1257 /** The object ID -- must be unique for each guest
1258 * object and is encoded into the context ID. Must
1259 * be set manually when initializing the object.
1260 *
1261 * For guest processes this is the internal PID,
1262 * for guest files this is the internal file ID. */
1263 uint32_t mObjectID;
1264 /** @} */
1265};
1266#endif /* !MAIN_INCLUDED_GuestCtrlImplPrivate_h */
1267
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