From 6ae583d9e1adbba334b98d3dc9abf114dd160dae Mon Sep 17 00:00:00 2001 From: Patrick Rose Date: Tue, 11 May 2021 16:02:04 +0100 Subject: [PATCH 1/6] Allow SSL verification when using a proxy In some cases (ie enterprise environments), a user might need to use a proxy to make the outbound requests. This allows those users to use a proxy but *without* turning off SSL verification Fixes #460 --- src/Graph.php | 20 ++++++++++++++++---- src/Http/GraphCollectionRequest.php | 20 +++++++++++--------- src/Http/GraphRequest.php | 18 ++++++++++-------- 3 files changed, 37 insertions(+), 21 deletions(-) diff --git a/src/Graph.php b/src/Graph.php index f4836666cac..03c49a273f8 100644 --- a/src/Graph.php +++ b/src/Graph.php @@ -60,6 +60,13 @@ class Graph */ private $_proxyPort; + /** + * Whether SSL verification should be used for proxy requests + * + * @var bool + */ + private $_proxyVerifySSL; + /** * Creates a new Graph object, which is used to call the Graph API */ @@ -116,12 +123,15 @@ public function setAccessToken($accessToken) * requests and responses made with Guzzle * * @param string port The port number to use + * @param bool $verifySSL Whether SSL verification should be enabled * * @return Graph object */ - public function setProxyPort($port) + public function setProxyPort($port, $verifySSL = false) { $this->_proxyPort = $port; + $this->_proxyVerifySSL = $verifySSL; + return $this; } @@ -143,7 +153,8 @@ public function createRequest($requestType, $endpoint) $this->_accessToken, $this->_baseUrl, $this->_apiVersion, - $this->_proxyPort + $this->_proxyPort, + $this->_proxyVerifySSL ); } @@ -166,7 +177,8 @@ public function createCollectionRequest($requestType, $endpoint) $this->_accessToken, $this->_baseUrl, $this->_apiVersion, - $this->_proxyPort + $this->_proxyPort, + $this->_proxyVerifySSL ); } -} \ No newline at end of file +} diff --git a/src/Http/GraphCollectionRequest.php b/src/Http/GraphCollectionRequest.php index 0ad4c94dae2..9868b152875 100644 --- a/src/Http/GraphCollectionRequest.php +++ b/src/Http/GraphCollectionRequest.php @@ -70,16 +70,17 @@ class GraphCollectionRequest extends GraphRequest /** * Constructs a new GraphCollectionRequest object * - * @param string $requestType The HTTP verb for the - * request ("GET", "POST", "PUT", etc.) - * @param string $endpoint The URI of the endpoint to hit - * @param string $accessToken A valid access token - * @param string $baseUrl The base URL of the request - * @param string $apiVersion The version of the API to call - * @param string $proxyPort The url where to proxy through + * @param string $requestType The HTTP verb for the + * request ("GET", "POST", "PUT", etc.) + * @param string $endpoint The URI of the endpoint to hit + * @param string $accessToken A valid access token + * @param string $baseUrl The base URL of the request + * @param string $apiVersion The version of the API to call + * @param string $proxyPort The url where to proxy through + * @param bool $proxyVerifySSL Whether the proxy requests should perform SSL verification * @throws GraphException when no access token is provided */ - public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $apiVersion, $proxyPort = null) + public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $apiVersion, $proxyPort = null, $proxyVerifySSL = false) { parent::__construct( $requestType, @@ -87,7 +88,8 @@ public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $ap $accessToken, $baseUrl, $apiVersion, - $proxyPort + $proxyPort, + $proxyVerifySSL ); $this->end = false; } diff --git a/src/Http/GraphRequest.php b/src/Http/GraphRequest.php index d05932ab977..7c2a5b7ca3f 100644 --- a/src/Http/GraphRequest.php +++ b/src/Http/GraphRequest.php @@ -110,15 +110,16 @@ class GraphRequest /** * Constructs a new Graph Request object * - * @param string $requestType The HTTP method to use, e.g. "GET" or "POST" - * @param string $endpoint The Graph endpoint to call - * @param string $accessToken A valid access token to validate the Graph call - * @param string $baseUrl The base URL to call - * @param string $apiVersion The API version to use - * @param string $proxyPort The url where to proxy through + * @param string $requestType The HTTP method to use, e.g. "GET" or "POST" + * @param string $endpoint The Graph endpoint to call + * @param string $accessToken A valid access token to validate the Graph call + * @param string $baseUrl The base URL to call + * @param string $apiVersion The API version to use + * @param string $proxyPort The url where to proxy through + * @param bool $proxyVerifySSL Whether the proxy requests should perform SSL verification * @throws GraphException when no access token is provided */ - public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $apiVersion, $proxyPort = null) + public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $apiVersion, $proxyPort = null, $proxyVerifySSL = false) { $this->requestType = $requestType; $this->endpoint = $endpoint; @@ -134,6 +135,7 @@ public function __construct($requestType, $endpoint, $accessToken, $baseUrl, $ap $this->timeout = 100; $this->headers = $this->_getDefaultHeaders(); $this->proxyPort = $proxyPort; + $this->proxyVerifySSL = $proxyVerifySSL; } /** @@ -535,7 +537,7 @@ protected function createGuzzleClient() 'headers' => $this->headers ]; if ($this->proxyPort !== null) { - $clientSettings['verify'] = false; + $clientSettings['verify'] = $this->proxyVerifySSL; $clientSettings['proxy'] = $this->proxyPort; } $client = new Client($clientSettings); From 18068e329d26a81c54f7eea4d5a5be67439f3029 Mon Sep 17 00:00:00 2001 From: Patrick Rose Date: Tue, 11 May 2021 18:12:10 +0100 Subject: [PATCH 2/6] Add missing protected property declaration --- src/Http/GraphRequest.php | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/src/Http/GraphRequest.php b/src/Http/GraphRequest.php index 7c2a5b7ca3f..a5c60c42569 100644 --- a/src/Http/GraphRequest.php +++ b/src/Http/GraphRequest.php @@ -100,6 +100,12 @@ class GraphRequest * @var string */ protected $proxyPort; + /** + * Whether SSL verification should be used for proxy requests + * + * @var bool + */ + protected $proxyVerifySSL; /** * Request options to decide if Guzzle Client should throw exceptions when http code is 4xx or 5xx * From c9b81c27187f23c57687590a3521f752ff70db9e Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Wed, 12 May 2021 05:17:18 +0000 Subject: [PATCH 3/6] Bump actions/checkout from 2 to 2.3.4 Bumps [actions/checkout](https://github.com/actions/checkout) from 2 to 2.3.4. - [Release notes](https://github.com/actions/checkout/releases) - [Changelog](https://github.com/actions/checkout/blob/main/CHANGELOG.md) - [Commits](https://github.com/actions/checkout/compare/v2...v2.3.4) Signed-off-by: dependabot[bot] --- .github/workflows/create-beta-pull-request.yml | 2 +- .github/workflows/create-v1.0-pull-request.yml | 2 +- .github/workflows/pr-validation.yml | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/.github/workflows/create-beta-pull-request.yml b/.github/workflows/create-beta-pull-request.yml index 164eb765a67..e2e562c23f3 100644 --- a/.github/workflows/create-beta-pull-request.yml +++ b/.github/workflows/create-beta-pull-request.yml @@ -29,7 +29,7 @@ jobs: # Steps represent a sequence of tasks that will be executed as part of the job steps: # Checks-out your repository under $GITHUB_WORKSPACE, so your job can access it - - uses: actions/checkout@v2 + - uses: actions/checkout@v2.3.4 # Create a pull request [1] - name: Create PR using the GitHub REST API via hub diff --git a/.github/workflows/create-v1.0-pull-request.yml b/.github/workflows/create-v1.0-pull-request.yml index 66694bc5a16..4643968426f 100644 --- a/.github/workflows/create-v1.0-pull-request.yml +++ b/.github/workflows/create-v1.0-pull-request.yml @@ -31,7 +31,7 @@ jobs: # Steps represent a sequence of tasks that will be executed as part of the job steps: # Checks-out your repository under $GITHUB_WORKSPACE, so your job can access it - - uses: actions/checkout@v2 + - uses: actions/checkout@v2.3.4 # Create a pull request [1] - name: Create PR using the GitHub REST API via hub diff --git a/.github/workflows/pr-validation.yml b/.github/workflows/pr-validation.yml index 058277130bc..3224702624b 100644 --- a/.github/workflows/pr-validation.yml +++ b/.github/workflows/pr-validation.yml @@ -15,7 +15,7 @@ jobs: validate-pull-request: runs-on: ubuntu-latest steps: - - uses: actions/checkout@v2 + - uses: actions/checkout@v2.3.4 - name: composer validate shell: bash run: | From 227abffdac2a159840c3f991e5f272a6ec89cb2c Mon Sep 17 00:00:00 2001 From: Microsoft Graph DevX Tooling Date: Thu, 13 May 2021 09:58:56 +0000 Subject: [PATCH 4/6] Update generated files with build 49598 --- .../Graph/CallRecords/Model/CallRecord.php | 8 +- .../Graph/CallRecords/Model/Session.php | 4 +- .../Graph/Model/AadUserConversationMember.php | 4 +- .../Model/AccessPackageAssignmentRequest.php | 2 + .../Model/AccessReviewHistoryDefinition.php | 20 ++ .../Graph/Model/AccessReviewReviewerScope.php | 8 +- .../Graph/Model/AdminConsentRequestPolicy.php | 4 +- src/Beta/Microsoft/Graph/Model/Agreement.php | 8 +- .../Graph/Model/AgreementAcceptance.php | 32 +-- .../Model/AndroidManagedAppProtection.php | 8 +- .../Graph/Model/AppConsentRequest.php | 4 +- .../Microsoft/Graph/Model/Application.php | 24 +- .../Model/AppliedConditionalAccessPolicy.php | 8 +- .../Microsoft/Graph/Model/AssignedPlan.php | 8 +- .../Microsoft/Graph/Model/AssignmentOrder.php | 4 +- src/Beta/Microsoft/Graph/Model/Attachment.php | 4 +- .../Graph/Model/AttendeeAvailability.php | 4 +- .../Microsoft/Graph/Model/AttendeeBase.php | 4 +- .../Graph/Model/AuthenticationFlowsPolicy.php | 12 +- .../Graph/Model/AuthorizationPolicy.php | 4 +- .../Graph/Model/AutomaticRepliesSetting.php | 8 +- .../Graph/Model/B2xIdentityUserFlow.php | 8 +- src/Beta/Microsoft/Graph/Model/Calendar.php | 20 +- src/Beta/Microsoft/Graph/Model/Call.php | 12 +- .../Graph/Model/ChangeNotification.php | 4 +- src/Beta/Microsoft/Graph/Model/Channel.php | 4 +- src/Beta/Microsoft/Graph/Model/ChatInfo.php | 4 +- .../Microsoft/Graph/Model/ChatMessage.php | 4 +- .../Model/CloudAppSecuritySessionControl.php | 4 +- .../Model/ConditionalAccessGrantControls.php | 4 +- src/Beta/Microsoft/Graph/Model/Contact.php | 4 +- .../Graph/Model/DateTimeTimeZone.php | 8 +- .../DelegatedPermissionClassification.php | 8 +- src/Beta/Microsoft/Graph/Model/Device.php | 20 +- .../Model/DeviceComplianceActionItem.php | 4 +- ...iceCompliancePolicySettingStateSummary.php | 4 +- .../Microsoft/Graph/Model/DeviceDetail.php | 28 +- .../Model/DeviceEnrollmentConfiguration.php | 28 +- .../DeviceEnrollmentLimitConfiguration.php | 4 +- ...lmentPlatformRestrictionsConfiguration.php | 20 +- ...ntWindowsHelloForBusinessConfiguration.php | 48 ++-- .../Graph/Model/DeviceManagement.php | 4 +- .../Graph/Model/DeviceManagementSettings.php | 4 +- .../Microsoft/Graph/Model/DirectoryAudit.php | 4 +- src/Beta/Microsoft/Graph/Model/Domain.php | 4 +- src/Beta/Microsoft/Graph/Model/DriveItem.php | 4 +- .../Graph/Model/DriveItemVersion.php | 2 - .../Model/EditionUpgradeConfiguration.php | 8 +- .../Microsoft/Graph/Model/EducationClass.php | 12 +- .../Graph/Model/EducationOrganization.php | 6 +- .../Microsoft/Graph/Model/EducationRoot.php | 82 +++++- .../Microsoft/Graph/Model/EducationSchool.php | 2 + .../Graph/Model/EducationStudent.php | 4 +- .../Graph/Model/EducationTeacher.php | 4 +- .../Microsoft/Graph/Model/EducationUser.php | 66 ++--- .../Microsoft/Graph/Model/EmailAddress.php | 8 +- ...EmailAuthenticationMethodConfiguration.php | 4 +- .../EnrollmentConfigurationAssignment.php | 4 +- .../Model/EnrollmentTroubleshootingEvent.php | 4 +- src/Beta/Microsoft/Graph/Model/Event.php | 12 +- .../Graph/Model/ExtensionSchemaProperty.php | 4 +- .../Graph/Model/Fido2AuthenticationMethod.php | 4 +- .../Graph/Model/FileEncryptionInfo.php | 4 +- .../Microsoft/Graph/Model/GeoCoordinates.php | 8 +- src/Beta/Microsoft/Graph/Model/Group.php | 60 ++-- src/Beta/Microsoft/Graph/Model/Hashes.php | 4 +- src/Beta/Microsoft/Graph/Model/IPv6Range.php | 8 +- .../Graph/Model/IdentityProvider.php | 12 +- .../Microsoft/Graph/Model/IncomingContext.php | 8 +- .../Model/InferenceClassificationOverride.php | 4 +- src/Beta/Microsoft/Graph/Model/Initiator.php | 4 +- src/Beta/Microsoft/Graph/Model/Invitation.php | 20 +- .../Graph/Model/InvitationParticipantInfo.php | 4 +- .../Graph/Model/IosCustomConfiguration.php | 4 +- .../Model/IosGeneralDeviceConfiguration.php | 76 +++--- .../Graph/Model/IosHomeScreenApp.php | 4 +- .../Graph/Model/IosHomeScreenFolder.php | 4 +- .../Graph/Model/IosHomeScreenFolderPage.php | 4 +- .../Graph/Model/IosHomeScreenPage.php | 4 +- .../Graph/Model/IosManagedAppProtection.php | 4 +- .../Graph/Model/IosUpdateDeviceStatus.php | 4 +- .../Microsoft/Graph/Model/ItemAttachment.php | 4 +- .../Microsoft/Graph/Model/KeyCredential.php | 4 +- src/Beta/Microsoft/Graph/Model/KeyValue.php | 8 +- src/Beta/Microsoft/Graph/Model/Location.php | 4 +- .../Graph/Model/MacOSCustomConfiguration.php | 4 +- .../Microsoft/Graph/Model/MailboxSettings.php | 8 +- .../Graph/Model/ManagedAppRegistration.php | 4 +- .../Microsoft/Graph/Model/ManagedDevice.php | 176 ++++++------ src/Beta/Microsoft/Graph/Model/MediaInfo.php | 8 +- .../Microsoft/Graph/Model/MediaPrompt.php | 4 +- .../Microsoft/Graph/Model/MediaStream.php | 4 +- .../Graph/Model/MeetingParticipantInfo.php | 4 +- .../Graph/Model/MeetingTimeSuggestion.php | 4 +- .../Model/MeetingTimeSuggestionsResult.php | 4 +- src/Beta/Microsoft/Graph/Model/Message.php | 4 +- .../Graph/Model/MessageRuleActions.php | 4 +- .../Graph/Model/ModifiedProperty.php | 12 +- .../Graph/Model/NetworkConnection.php | 4 +- .../Model/NotificationMessageTemplate.php | 4 +- .../Graph/Model/OfferShiftRequest.php | 8 +- .../Graph/Model/OfficeGraphInsights.php | 12 +- .../Graph/Model/OmaSettingBase64.php | 4 +- .../Model/OnenotePatchContentCommand.php | 12 +- .../Microsoft/Graph/Model/OnlineMeeting.php | 16 +- .../Graph/Model/OpenTypeExtension.php | 4 +- src/Beta/Microsoft/Graph/Model/Operation.php | 4 +- .../Microsoft/Graph/Model/Organization.php | 16 +- .../Microsoft/Graph/Model/Participant.php | 4 +- .../Microsoft/Graph/Model/ParticipantInfo.php | 4 +- .../Microsoft/Graph/Model/PasswordProfile.php | 4 +- src/Beta/Microsoft/Graph/Model/Permission.php | 4 +- .../Model/PermissionGrantConditionSet.php | 4 +- src/Beta/Microsoft/Graph/Model/Person.php | 4 +- src/Beta/Microsoft/Graph/Model/Phone.php | 4 +- src/Beta/Microsoft/Graph/Model/Photo.php | 4 +- .../Graph/Model/Pkcs12Certificate.php | 8 +- .../Microsoft/Graph/Model/PlannerPlan.php | 12 +- .../Graph/Model/PlannerPlanDetails.php | 8 +- .../Microsoft/Graph/Model/PlannerTask.php | 4 +- .../Graph/Model/PlannerTaskDetails.php | 4 +- .../Microsoft/Graph/Model/PlannerUser.php | 4 +- src/Beta/Microsoft/Graph/Model/Post.php | 8 +- src/Beta/Microsoft/Graph/Model/Presence.php | 4 +- .../Graph/Model/PrintJobConfiguration.php | 4 +- src/Beta/Microsoft/Graph/Model/PrintTask.php | 4 +- .../Graph/Model/ProvisioningErrorInfo.php | 10 + .../Graph/Model/ProvisioningObjectSummary.php | 8 +- .../Graph/Model/ProvisioningStatusInfo.php | 2 + .../Graph/Model/ProvisioningSystem.php | 2 + .../Graph/Model/RecentNotebookLinks.php | 4 +- .../Microsoft/Graph/Model/RecordingInfo.php | 4 +- .../Graph/Model/RecurrencePattern.php | 12 +- .../Microsoft/Graph/Model/RecurrenceRange.php | 4 +- .../Microsoft/Graph/Model/RelatedContact.php | 8 +- .../Graph/Model/RemoteAssistancePartner.php | 4 +- src/Beta/Microsoft/Graph/Model/Report.php | 4 +- .../Microsoft/Graph/Model/ResourceAction.php | 4 +- .../Microsoft/Graph/Model/ResponseStatus.php | 4 +- .../Microsoft/Graph/Model/RiskDetection.php | 48 ++-- .../Graph/Model/RiskUserActivity.php | 4 +- src/Beta/Microsoft/Graph/Model/RiskyUser.php | 8 +- .../Microsoft/Graph/Model/RolePermission.php | 4 +- .../Microsoft/Graph/Model/SchemaExtension.php | 4 +- .../Graph/Model/SecureScoreControlProfile.php | 12 +- .../Microsoft/Graph/Model/ServicePlanInfo.php | 4 +- .../Graph/Model/ServicePrincipal.php | 4 +- .../Graph/Model/SettingTemplateValue.php | 16 +- .../Microsoft/Graph/Model/SettingValue.php | 4 +- .../Graph/Model/SharedPCConfiguration.php | 4 +- src/Beta/Microsoft/Graph/Model/SignIn.php | 116 ++++---- .../Graph/Model/StoragePlanInformation.php | 4 +- .../Microsoft/Graph/Model/Subscription.php | 28 +- .../Graph/Model/SwapShiftsChangeRequest.php | 4 +- .../Microsoft/Graph/Model/TargetResource.php | 4 +- .../TargetedManagedAppPolicyAssignment.php | 4 +- .../Graph/Model/TeamMemberSettings.php | 4 +- src/Beta/Microsoft/Graph/Model/TeamsTab.php | 4 +- .../Graph/Model/TeamworkHostedContent.php | 4 +- .../Microsoft/Graph/Model/TermsExpiration.php | 4 +- .../Graph/Model/ThreatAssessmentResult.php | 4 +- src/Beta/Microsoft/Graph/Model/TicketInfo.php | 4 + .../Microsoft/Graph/Model/TimeConstraint.php | 4 +- .../Graph/Model/UnifiedRoleAssignment.php | 28 +- .../Model/UnifiedRoleAssignmentMultiple.php | 20 +- .../Model/UnifiedRoleAssignmentSchedule.php | 8 + .../UnifiedRoleAssignmentScheduleInstance.php | 14 + .../UnifiedRoleAssignmentScheduleRequest.php | 30 ++ .../Graph/Model/UnifiedRoleDefinition.php | 14 +- .../Model/UnifiedRoleEligibilitySchedule.php | 4 + ...UnifiedRoleEligibilityScheduleInstance.php | 8 + .../UnifiedRoleEligibilityScheduleRequest.php | 28 ++ .../Model/UnifiedRoleManagementPolicy.php | 18 ++ ...nifiedRoleManagementPolicyApprovalRule.php | 2 + .../UnifiedRoleManagementPolicyAssignment.php | 10 + ...agementPolicyAuthenticationContextRule.php | 4 + ...fiedRoleManagementPolicyEnablementRule.php | 2 + ...fiedRoleManagementPolicyExpirationRule.php | 4 + ...edRoleManagementPolicyNotificationRule.php | 10 + .../Model/UnifiedRoleManagementPolicyRule.php | 2 + .../Graph/Model/UnifiedRoleScheduleBase.php | 24 ++ .../Model/UnifiedRoleScheduleInstanceBase.php | 16 ++ .../Microsoft/Graph/Model/UploadSession.php | 4 +- src/Beta/Microsoft/Graph/Model/User.php | 256 +++++++++--------- .../Graph/Model/UserAttributeValuesItem.php | 8 +- src/Beta/Microsoft/Graph/Model/VppToken.php | 8 +- src/Beta/Microsoft/Graph/Model/WebApp.php | 4 +- src/Beta/Microsoft/Graph/Model/Website.php | 4 +- .../Microsoft/Graph/Model/Win32LobApp.php | 4 +- .../Graph/Model/Win32LobAppFileSystemRule.php | 4 +- ...ndows10EndpointProtectionConfiguration.php | 4 +- .../Model/Windows10GeneralConfiguration.php | 8 +- .../Model/Windows10NetworkProxyServer.php | 4 +- ...InformationProtectionIPRangeCollection.php | 4 +- .../Graph/Model/WindowsUniversalAppX.php | 4 +- .../WindowsUpdateForBusinessConfiguration.php | 4 +- .../Model/WindowsUpdateScheduledInstall.php | 4 +- src/Beta/Microsoft/Graph/Model/Workbook.php | 4 +- .../Microsoft/Graph/Model/WorkbookComment.php | 4 +- .../Graph/Model/WorkbookCommentReply.php | 8 +- .../Microsoft/Graph/Model/WorkbookIcon.php | 4 +- .../Graph/Model/WorkbookNamedItem.php | 4 +- .../Graph/Model/WorkbookOperation.php | 4 +- .../Microsoft/Graph/Model/WorkbookRange.php | 4 +- .../Graph/Model/WorkbookRangeBorder.php | 12 +- .../Graph/Model/WorkbookRangeFont.php | 4 +- .../Graph/Model/WorkbookRangeFormat.php | 8 +- .../Graph/Model/WorkbookRangeView.php | 4 +- .../Graph/Model/WorkbookSortField.php | 8 +- .../Microsoft/Graph/Model/WorkbookTable.php | 4 +- .../Graph/Model/WorkbookTableSort.php | 4 +- .../Graph/Model/WorkforceIntegration.php | 4 +- 212 files changed, 1337 insertions(+), 1027 deletions(-) diff --git a/src/Beta/Microsoft/Graph/CallRecords/Model/CallRecord.php b/src/Beta/Microsoft/Graph/CallRecords/Model/CallRecord.php index 68d80b74d5e..e72086645b5 100644 --- a/src/Beta/Microsoft/Graph/CallRecords/Model/CallRecord.php +++ b/src/Beta/Microsoft/Graph/CallRecords/Model/CallRecord.php @@ -214,7 +214,7 @@ public function setParticipants($val) /** * Gets the startDateTime - * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The startDateTime */ @@ -233,7 +233,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The startDateTime * @@ -280,7 +280,7 @@ public function setType($val) /** * Gets the version - * Monotonically increasing version of the call record. Higher version call records with the same id includes additional data compared to the lower version. + * Monotonically increasing version of the call record. Higher version call records with the same ID includes additional data compared to the lower version. * * @return int|null The version */ @@ -295,7 +295,7 @@ public function getVersion() /** * Sets the version - * Monotonically increasing version of the call record. Higher version call records with the same id includes additional data compared to the lower version. + * Monotonically increasing version of the call record. Higher version call records with the same ID includes additional data compared to the lower version. * * @param int $val The version * diff --git a/src/Beta/Microsoft/Graph/CallRecords/Model/Session.php b/src/Beta/Microsoft/Graph/CallRecords/Model/Session.php index 40519f11137..1317c4c6ac4 100644 --- a/src/Beta/Microsoft/Graph/CallRecords/Model/Session.php +++ b/src/Beta/Microsoft/Graph/CallRecords/Model/Session.php @@ -188,7 +188,7 @@ public function setModalities($val) /** * Gets the startDateTime - * UTC time when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * UTC fime when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The startDateTime */ @@ -207,7 +207,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * UTC time when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * UTC fime when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The startDateTime * diff --git a/src/Beta/Microsoft/Graph/Model/AadUserConversationMember.php b/src/Beta/Microsoft/Graph/Model/AadUserConversationMember.php index 072b0b39bbd..eb6b5a2be21 100644 --- a/src/Beta/Microsoft/Graph/Model/AadUserConversationMember.php +++ b/src/Beta/Microsoft/Graph/Model/AadUserConversationMember.php @@ -84,7 +84,7 @@ public function setTenantId($val) /** * Gets the userId - * The guid of the user. + * The GUID of the user. * * @return string|null The userId */ @@ -99,7 +99,7 @@ public function getUserId() /** * Sets the userId - * The guid of the user. + * The GUID of the user. * * @param string $val The userId * diff --git a/src/Beta/Microsoft/Graph/Model/AccessPackageAssignmentRequest.php b/src/Beta/Microsoft/Graph/Model/AccessPackageAssignmentRequest.php index 4b37e4f9539..b9f7da15300 100644 --- a/src/Beta/Microsoft/Graph/Model/AccessPackageAssignmentRequest.php +++ b/src/Beta/Microsoft/Graph/Model/AccessPackageAssignmentRequest.php @@ -331,6 +331,7 @@ public function setSchedule($val) /** * Gets the accessPackage + * The access package associated with the accessPackageAssignmentRequest. An access package defines the collections of resource roles and the policies for how one or more users can get access to those resources. Read-only. Nullable. * * @return AccessPackage|null The accessPackage */ @@ -349,6 +350,7 @@ public function getAccessPackage() /** * Sets the accessPackage + * The access package associated with the accessPackageAssignmentRequest. An access package defines the collections of resource roles and the policies for how one or more users can get access to those resources. Read-only. Nullable. * * @param AccessPackage $val The accessPackage * diff --git a/src/Beta/Microsoft/Graph/Model/AccessReviewHistoryDefinition.php b/src/Beta/Microsoft/Graph/Model/AccessReviewHistoryDefinition.php index f4d359fdb92..3b54ffee993 100644 --- a/src/Beta/Microsoft/Graph/Model/AccessReviewHistoryDefinition.php +++ b/src/Beta/Microsoft/Graph/Model/AccessReviewHistoryDefinition.php @@ -26,6 +26,7 @@ class AccessReviewHistoryDefinition extends Entity { /** * Gets the createdBy + * User who created this review history definition. * * @return UserIdentity|null The createdBy */ @@ -44,6 +45,7 @@ public function getCreatedBy() /** * Sets the createdBy + * User who created this review history definition. * * @param UserIdentity $val The createdBy * @@ -57,6 +59,7 @@ public function setCreatedBy($val) /** * Gets the createdDateTime + * Timestamp when the access review definition was created. * * @return \DateTime|null The createdDateTime */ @@ -75,6 +78,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime + * Timestamp when the access review definition was created. * * @param \DateTime $val The createdDateTime * @@ -89,6 +93,7 @@ public function setCreatedDateTime($val) /** * Gets the decisions + * Determines which review decisions will be included in the fetched review history data if specified. Optional on create. All decisions will be included by default if no decisions are provided on create. Possible values are: approve, deny, dontKnow, notReviewed, and notNotified. * * @return array|null The decisions */ @@ -103,6 +108,7 @@ public function getDecisions() /** * Sets the decisions + * Determines which review decisions will be included in the fetched review history data if specified. Optional on create. All decisions will be included by default if no decisions are provided on create. Possible values are: approve, deny, dontKnow, notReviewed, and notNotified. * * @param AccessReviewHistoryDecisionFilter $val The decisions * @@ -116,6 +122,7 @@ public function setDecisions($val) /** * Gets the displayName + * Name for the access review history data collection. Required. * * @return string|null The displayName */ @@ -130,6 +137,7 @@ public function getDisplayName() /** * Sets the displayName + * Name for the access review history data collection. Required. * * @param string $val The displayName * @@ -143,6 +151,7 @@ public function setDisplayName($val) /** * Gets the downloadUri + * Uri which can be used to retrieve review history data. This URI will be active for 24 hours after being generated. * * @return string|null The downloadUri */ @@ -157,6 +166,7 @@ public function getDownloadUri() /** * Sets the downloadUri + * Uri which can be used to retrieve review history data. This URI will be active for 24 hours after being generated. * * @param string $val The downloadUri * @@ -170,6 +180,7 @@ public function setDownloadUri($val) /** * Gets the fulfilledDateTime + * Timestamp when all of the available data for this definition was collected. This will be set after this definition's status is set to done. * * @return \DateTime|null The fulfilledDateTime */ @@ -188,6 +199,7 @@ public function getFulfilledDateTime() /** * Sets the fulfilledDateTime + * Timestamp when all of the available data for this definition was collected. This will be set after this definition's status is set to done. * * @param \DateTime $val The fulfilledDateTime * @@ -201,6 +213,7 @@ public function setFulfilledDateTime($val) /** * Gets the reviewHistoryPeriodEndDateTime + * Timestamp, reviews starting on or after this date will be included in the fetched history data. Required. * * @return \DateTime|null The reviewHistoryPeriodEndDateTime */ @@ -219,6 +232,7 @@ public function getReviewHistoryPeriodEndDateTime() /** * Sets the reviewHistoryPeriodEndDateTime + * Timestamp, reviews starting on or after this date will be included in the fetched history data. Required. * * @param \DateTime $val The reviewHistoryPeriodEndDateTime * @@ -232,6 +246,7 @@ public function setReviewHistoryPeriodEndDateTime($val) /** * Gets the reviewHistoryPeriodStartDateTime + * Timestamp, reviews starting on or before this date will be included in the fetched history data. Required. * * @return \DateTime|null The reviewHistoryPeriodStartDateTime */ @@ -250,6 +265,7 @@ public function getReviewHistoryPeriodStartDateTime() /** * Sets the reviewHistoryPeriodStartDateTime + * Timestamp, reviews starting on or before this date will be included in the fetched history data. Required. * * @param \DateTime $val The reviewHistoryPeriodStartDateTime * @@ -264,6 +280,7 @@ public function setReviewHistoryPeriodStartDateTime($val) /** * Gets the scopes + * Used to scope what reviews are included in the fetched history data. Fetches reviews whose scope matches with this provided scope. See accessreviewqueryscope. Required. * * @return array|null The scopes */ @@ -278,6 +295,7 @@ public function getScopes() /** * Sets the scopes + * Used to scope what reviews are included in the fetched history data. Fetches reviews whose scope matches with this provided scope. See accessreviewqueryscope. Required. * * @param AccessReviewScope $val The scopes * @@ -291,6 +309,7 @@ public function setScopes($val) /** * Gets the status + * Represents the status of the review history data collection. Possible values are: done, inprogress, error, requested. * * @return AccessReviewHistoryStatus|null The status */ @@ -309,6 +328,7 @@ public function getStatus() /** * Sets the status + * Represents the status of the review history data collection. Possible values are: done, inprogress, error, requested. * * @param AccessReviewHistoryStatus $val The status * diff --git a/src/Beta/Microsoft/Graph/Model/AccessReviewReviewerScope.php b/src/Beta/Microsoft/Graph/Model/AccessReviewReviewerScope.php index 59ff87abf2d..a309f666967 100644 --- a/src/Beta/Microsoft/Graph/Model/AccessReviewReviewerScope.php +++ b/src/Beta/Microsoft/Graph/Model/AccessReviewReviewerScope.php @@ -53,7 +53,7 @@ public function setQuery($val) } /** * Gets the queryRoot - * The type of query. Examples include MicrosoftGraph and ARM. + * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. * * @return string|null The queryRoot */ @@ -68,7 +68,7 @@ public function getQueryRoot() /** * Sets the queryRoot - * The type of query. Examples include MicrosoftGraph and ARM. + * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. * * @param string $val The value of the queryRoot * @@ -81,7 +81,7 @@ public function setQueryRoot($val) } /** * Gets the queryType - * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. + * The type of query. Examples include MicrosoftGraph and ARM. * * @return string|null The queryType */ @@ -96,7 +96,7 @@ public function getQueryType() /** * Sets the queryType - * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. + * The type of query. Examples include MicrosoftGraph and ARM. * * @param string $val The value of the queryType * diff --git a/src/Beta/Microsoft/Graph/Model/AdminConsentRequestPolicy.php b/src/Beta/Microsoft/Graph/Model/AdminConsentRequestPolicy.php index 74a634428ad..b2e519f74cb 100644 --- a/src/Beta/Microsoft/Graph/Model/AdminConsentRequestPolicy.php +++ b/src/Beta/Microsoft/Graph/Model/AdminConsentRequestPolicy.php @@ -143,7 +143,7 @@ public function setRequestDurationInDays($val) /** * Gets the reviewers - * The list of reviewers for the admin consent. Required. + * Required. * * @return array|null The reviewers */ @@ -158,7 +158,7 @@ public function getReviewers() /** * Sets the reviewers - * The list of reviewers for the admin consent. Required. + * Required. * * @param AccessReviewReviewerScope $val The reviewers * diff --git a/src/Beta/Microsoft/Graph/Model/Agreement.php b/src/Beta/Microsoft/Graph/Model/Agreement.php index 3e416657ca4..da14b86e8b4 100644 --- a/src/Beta/Microsoft/Graph/Model/Agreement.php +++ b/src/Beta/Microsoft/Graph/Model/Agreement.php @@ -55,7 +55,7 @@ public function setDisplayName($val) /** * Gets the isPerDeviceAcceptanceRequired - * Indicates whether end users are required to accept this agreement on every device that they access it from. The end user is required to register their device in Azure AD, if they haven't already done so. + * This setting enables you to require end users to accept this agreement on every device that they are accessing it from. The end user will be required to register their device in Azure AD, if they haven't already done so. * * @return bool|null The isPerDeviceAcceptanceRequired */ @@ -70,7 +70,7 @@ public function getIsPerDeviceAcceptanceRequired() /** * Sets the isPerDeviceAcceptanceRequired - * Indicates whether end users are required to accept this agreement on every device that they access it from. The end user is required to register their device in Azure AD, if they haven't already done so. + * This setting enables you to require end users to accept this agreement on every device that they are accessing it from. The end user will be required to register their device in Azure AD, if they haven't already done so. * * @param bool $val The isPerDeviceAcceptanceRequired * @@ -243,7 +243,7 @@ public function setFile($val) /** * Gets the files - * PDFs linked to this agreement. This property is in the process of being deprecated. Use the file property instead. + * PDFs linked to this agreement. Note: This property is in the process of being deprecated. Use the file property instead. * * @return array|null The files */ @@ -258,7 +258,7 @@ public function getFiles() /** * Sets the files - * PDFs linked to this agreement. This property is in the process of being deprecated. Use the file property instead. + * PDFs linked to this agreement. Note: This property is in the process of being deprecated. Use the file property instead. * * @param AgreementFileLocalization $val The files * diff --git a/src/Beta/Microsoft/Graph/Model/AgreementAcceptance.php b/src/Beta/Microsoft/Graph/Model/AgreementAcceptance.php index 4a3c96e2b5c..267c12fab27 100644 --- a/src/Beta/Microsoft/Graph/Model/AgreementAcceptance.php +++ b/src/Beta/Microsoft/Graph/Model/AgreementAcceptance.php @@ -26,7 +26,7 @@ class AgreementAcceptance extends Entity { /** * Gets the agreementFileId - * The identifier of the agreement file accepted by the user. + * ID of the agreement file accepted by the user. * * @return string|null The agreementFileId */ @@ -41,7 +41,7 @@ public function getAgreementFileId() /** * Sets the agreementFileId - * The identifier of the agreement file accepted by the user. + * ID of the agreement file accepted by the user. * * @param string $val The agreementFileId * @@ -55,7 +55,7 @@ public function setAgreementFileId($val) /** * Gets the agreementId - * The identifier of the agreement. + * ID of the agreement. * * @return string|null The agreementId */ @@ -70,7 +70,7 @@ public function getAgreementId() /** * Sets the agreementId - * The identifier of the agreement. + * ID of the agreement. * * @param string $val The agreementId * @@ -142,7 +142,7 @@ public function setDeviceId($val) /** * Gets the deviceOSType - * The operating system used to accept the agreement. + * The operating system used for accepting the agreement. * * @return string|null The deviceOSType */ @@ -157,7 +157,7 @@ public function getDeviceOSType() /** * Sets the deviceOSType - * The operating system used to accept the agreement. + * The operating system used for accepting the agreement. * * @param string $val The deviceOSType * @@ -171,7 +171,7 @@ public function setDeviceOSType($val) /** * Gets the deviceOSVersion - * The operating system version of the device used to accept the agreement. + * The operating system version of the device used for accepting the agreement. * * @return string|null The deviceOSVersion */ @@ -186,7 +186,7 @@ public function getDeviceOSVersion() /** * Sets the deviceOSVersion - * The operating system version of the device used to accept the agreement. + * The operating system version of the device used for accepting the agreement. * * @param string $val The deviceOSVersion * @@ -200,7 +200,7 @@ public function setDeviceOSVersion($val) /** * Gets the expirationDateTime - * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The expirationDateTime */ @@ -219,7 +219,7 @@ public function getExpirationDateTime() /** * Sets the expirationDateTime - * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The expirationDateTime * @@ -233,7 +233,7 @@ public function setExpirationDateTime($val) /** * Gets the recordedDateTime - * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The recordedDateTime */ @@ -252,7 +252,7 @@ public function getRecordedDateTime() /** * Sets the recordedDateTime - * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The recordedDateTime * @@ -266,7 +266,7 @@ public function setRecordedDateTime($val) /** * Gets the state - * The state of the agreement acceptance. Possible values are: accepted, declined. + * Possible values are: accepted, declined. * * @return AgreementAcceptanceState|null The state */ @@ -285,7 +285,7 @@ public function getState() /** * Sets the state - * The state of the agreement acceptance. Possible values are: accepted, declined. + * Possible values are: accepted, declined. * * @param AgreementAcceptanceState $val The state * @@ -357,7 +357,7 @@ public function setUserEmail($val) /** * Gets the userId - * The identifier of the user who accepted the agreement. + * ID of the user who accepted the agreement. * * @return string|null The userId */ @@ -372,7 +372,7 @@ public function getUserId() /** * Sets the userId - * The identifier of the user who accepted the agreement. + * ID of the user who accepted the agreement. * * @param string $val The userId * diff --git a/src/Beta/Microsoft/Graph/Model/AndroidManagedAppProtection.php b/src/Beta/Microsoft/Graph/Model/AndroidManagedAppProtection.php index 4fc7347b827..2305e6ca8a0 100644 --- a/src/Beta/Microsoft/Graph/Model/AndroidManagedAppProtection.php +++ b/src/Beta/Microsoft/Graph/Model/AndroidManagedAppProtection.php @@ -337,7 +337,7 @@ public function setBlockAfterCompanyPortalUpdateDeferralInDays($val) /** * Gets the customBrowserDisplayName - * Friendly name of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Friendly name of the preferred custom browser to open weblink on Android. * * @return string|null The customBrowserDisplayName */ @@ -352,7 +352,7 @@ public function getCustomBrowserDisplayName() /** * Sets the customBrowserDisplayName - * Friendly name of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Friendly name of the preferred custom browser to open weblink on Android. * * @param string $val The customBrowserDisplayName * @@ -366,7 +366,7 @@ public function setCustomBrowserDisplayName($val) /** * Gets the customBrowserPackageId - * Unique identifier of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Unique identifier of a custom browser to open weblink on Android. * * @return string|null The customBrowserPackageId */ @@ -381,7 +381,7 @@ public function getCustomBrowserPackageId() /** * Sets the customBrowserPackageId - * Unique identifier of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Unique identifier of a custom browser to open weblink on Android. * * @param string $val The customBrowserPackageId * diff --git a/src/Beta/Microsoft/Graph/Model/AppConsentRequest.php b/src/Beta/Microsoft/Graph/Model/AppConsentRequest.php index eefdb3e03eb..7064383fa94 100644 --- a/src/Beta/Microsoft/Graph/Model/AppConsentRequest.php +++ b/src/Beta/Microsoft/Graph/Model/AppConsentRequest.php @@ -114,7 +114,7 @@ public function setConsentType($val) /** * Gets the pendingScopes - * A list of pending scopes waiting for approval. Required. + * A list of pending scopes waiting for approval. This is empty if the consentType is Static. Required. * * @return array|null The pendingScopes */ @@ -129,7 +129,7 @@ public function getPendingScopes() /** * Sets the pendingScopes - * A list of pending scopes waiting for approval. Required. + * A list of pending scopes waiting for approval. This is empty if the consentType is Static. Required. * * @param AppConsentRequestScope $val The pendingScopes * diff --git a/src/Beta/Microsoft/Graph/Model/Application.php b/src/Beta/Microsoft/Graph/Model/Application.php index 6da1cb4fb1c..acbae891123 100644 --- a/src/Beta/Microsoft/Graph/Model/Application.php +++ b/src/Beta/Microsoft/Graph/Model/Application.php @@ -59,7 +59,7 @@ public function setApi($val) /** * Gets the appId - * The unique identifier for the application that is assigned to an application by Azure AD. Not nullable. Read-only. + * The unique identifier for the application that is assigned by Azure AD. Not nullable. Read-only. * * @return string|null The appId */ @@ -74,7 +74,7 @@ public function getAppId() /** * Sets the appId - * The unique identifier for the application that is assigned to an application by Azure AD. Not nullable. Read-only. + * The unique identifier for the application that is assigned by Azure AD. Not nullable. Read-only. * * @param string $val The appId * @@ -234,7 +234,7 @@ public function setDisplayName($val) /** * Gets the groupMembershipClaims - * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following valid string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all of the security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). + * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). * * @return string|null The groupMembershipClaims */ @@ -249,7 +249,7 @@ public function getGroupMembershipClaims() /** * Sets the groupMembershipClaims - * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following valid string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all of the security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). + * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). * * @param string $val The groupMembershipClaims * @@ -263,7 +263,7 @@ public function setGroupMembershipClaims($val) /** * Gets the identifierUris - * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. + * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information, see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. * * @return string|null The identifierUris */ @@ -278,7 +278,7 @@ public function getIdentifierUris() /** * Sets the identifierUris - * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. + * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information, see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. * * @param string $val The identifierUris * @@ -292,7 +292,7 @@ public function setIdentifierUris($val) /** * Gets the info - * Basic profile information of the application such as app's marketing, support, terms of service and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more info, see How to: Add Terms of service and privacy statement for registered Azure AD apps. + * Basic profile information of the application, such as it's marketing, support, terms of service, and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more information, see How to: Add Terms of service and privacy statement for registered Azure AD apps. * * @return InformationalUrl|null The info */ @@ -311,7 +311,7 @@ public function getInfo() /** * Sets the info - * Basic profile information of the application such as app's marketing, support, terms of service and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more info, see How to: Add Terms of service and privacy statement for registered Azure AD apps. + * Basic profile information of the application, such as it's marketing, support, terms of service, and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more information, see How to: Add Terms of service and privacy statement for registered Azure AD apps. * * @param InformationalUrl $val The info * @@ -354,7 +354,7 @@ public function setIsDeviceOnlyAuthSupported($val) /** * Gets the isFallbackPublicClient - * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where it is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. + * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where the application is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. * * @return bool|null The isFallbackPublicClient */ @@ -369,7 +369,7 @@ public function getIsFallbackPublicClient() /** * Sets the isFallbackPublicClient - * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where it is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. + * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where the application is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. * * @param bool $val The isFallbackPublicClient * @@ -604,7 +604,7 @@ public function setPublicClient($val) /** * Gets the publisherDomain - * The verified publisher domain for the application. Read-only. For more information, see How to: Configure an application's publisher domain. + * The verified publisher domain for the application. Read-only. * * @return string|null The publisherDomain */ @@ -619,7 +619,7 @@ public function getPublisherDomain() /** * Sets the publisherDomain - * The verified publisher domain for the application. Read-only. For more information, see How to: Configure an application's publisher domain. + * The verified publisher domain for the application. Read-only. * * @param string $val The publisherDomain * diff --git a/src/Beta/Microsoft/Graph/Model/AppliedConditionalAccessPolicy.php b/src/Beta/Microsoft/Graph/Model/AppliedConditionalAccessPolicy.php index 1ad5bc68627..c62e0656df8 100644 --- a/src/Beta/Microsoft/Graph/Model/AppliedConditionalAccessPolicy.php +++ b/src/Beta/Microsoft/Graph/Model/AppliedConditionalAccessPolicy.php @@ -206,7 +206,7 @@ public function setExcludeRulesSatisfied($val) } /** * Gets the id - * An identifier of the conditional access policy. + * Identifier of the conditional access policy. * * @return string|null The id */ @@ -221,7 +221,7 @@ public function getId() /** * Sets the id - * An identifier of the conditional access policy. + * Identifier of the conditional access policy. * * @param string $val The value of the id * @@ -266,7 +266,7 @@ public function setIncludeRulesSatisfied($val) /** * Gets the result - * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue. + * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue, reportOnlySuccess, reportOnlyFailure, reportOnlyNotApplied, reportOnlyInterrupted * * @return AppliedConditionalAccessPolicyResult|null The result */ @@ -285,7 +285,7 @@ public function getResult() /** * Sets the result - * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue. + * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue, reportOnlySuccess, reportOnlyFailure, reportOnlyNotApplied, reportOnlyInterrupted * * @param AppliedConditionalAccessPolicyResult $val The value to assign to the result * diff --git a/src/Beta/Microsoft/Graph/Model/AssignedPlan.php b/src/Beta/Microsoft/Graph/Model/AssignedPlan.php index 6e6380266aa..21d7410bd2c 100644 --- a/src/Beta/Microsoft/Graph/Model/AssignedPlan.php +++ b/src/Beta/Microsoft/Graph/Model/AssignedPlan.php @@ -26,7 +26,7 @@ class AssignedPlan extends Entity /** * Gets the assignedDateTime - * The date and time at which the plan was assigned. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * The date and time at which the plan was assigned; for example: 2013-01-02T19:32:30Z. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The assignedDateTime */ @@ -45,7 +45,7 @@ public function getAssignedDateTime() /** * Sets the assignedDateTime - * The date and time at which the plan was assigned. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * The date and time at which the plan was assigned; for example: 2013-01-02T19:32:30Z. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The value to assign to the assignedDateTime * @@ -58,7 +58,7 @@ public function setAssignedDateTime($val) } /** * Gets the capabilityStatus - * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. See a detailed description of each value. + * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. * * @return string|null The capabilityStatus */ @@ -73,7 +73,7 @@ public function getCapabilityStatus() /** * Sets the capabilityStatus - * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. See a detailed description of each value. + * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. * * @param string $val The value of the capabilityStatus * diff --git a/src/Beta/Microsoft/Graph/Model/AssignmentOrder.php b/src/Beta/Microsoft/Graph/Model/AssignmentOrder.php index 186e1a8b4ed..0acad7b7416 100644 --- a/src/Beta/Microsoft/Graph/Model/AssignmentOrder.php +++ b/src/Beta/Microsoft/Graph/Model/AssignmentOrder.php @@ -25,7 +25,7 @@ class AssignmentOrder extends Entity { /** * Gets the order - * A list of identityUserFlowAttribute object identifiers that determine the order in which attributes should be collected within a user flow. + * A list of identityUserFlowAttribute IDs provided to determine the order in which attributes should be collected within a user flow. * * @return string|null The order */ @@ -40,7 +40,7 @@ public function getOrder() /** * Sets the order - * A list of identityUserFlowAttribute object identifiers that determine the order in which attributes should be collected within a user flow. + * A list of identityUserFlowAttribute IDs provided to determine the order in which attributes should be collected within a user flow. * * @param string $val The value of the order * diff --git a/src/Beta/Microsoft/Graph/Model/Attachment.php b/src/Beta/Microsoft/Graph/Model/Attachment.php index 2a9655e95c0..2f591fb4688 100644 --- a/src/Beta/Microsoft/Graph/Model/Attachment.php +++ b/src/Beta/Microsoft/Graph/Model/Attachment.php @@ -117,7 +117,7 @@ public function setLastModifiedDateTime($val) /** * Gets the name - * The attachment's file name. + * The display name of the attachment. This does not need to be the actual file name. * * @return string|null The name */ @@ -132,7 +132,7 @@ public function getName() /** * Sets the name - * The attachment's file name. + * The display name of the attachment. This does not need to be the actual file name. * * @param string $val The name * diff --git a/src/Beta/Microsoft/Graph/Model/AttendeeAvailability.php b/src/Beta/Microsoft/Graph/Model/AttendeeAvailability.php index 308643d6c5e..ff8e9c9d564 100644 --- a/src/Beta/Microsoft/Graph/Model/AttendeeAvailability.php +++ b/src/Beta/Microsoft/Graph/Model/AttendeeAvailability.php @@ -59,7 +59,7 @@ public function setAttendee($val) /** * Gets the availability - * The availability status of the attendee. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * The availability status of the attendee. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @return FreeBusyStatus|null The availability */ @@ -78,7 +78,7 @@ public function getAvailability() /** * Sets the availability - * The availability status of the attendee. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * The availability status of the attendee. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @param FreeBusyStatus $val The value to assign to the availability * diff --git a/src/Beta/Microsoft/Graph/Model/AttendeeBase.php b/src/Beta/Microsoft/Graph/Model/AttendeeBase.php index d9f5c0cba51..7381ec5bafe 100644 --- a/src/Beta/Microsoft/Graph/Model/AttendeeBase.php +++ b/src/Beta/Microsoft/Graph/Model/AttendeeBase.php @@ -26,7 +26,7 @@ class AttendeeBase extends Recipient /** * Gets the type - * The type of attendee. The possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. + * The type of attendee. Possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. * * @return AttendeeType|null The type */ @@ -45,7 +45,7 @@ public function getType() /** * Sets the type - * The type of attendee. The possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. + * The type of attendee. Possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. * * @param AttendeeType $val The value to assign to the type * diff --git a/src/Beta/Microsoft/Graph/Model/AuthenticationFlowsPolicy.php b/src/Beta/Microsoft/Graph/Model/AuthenticationFlowsPolicy.php index 57937b9b4dc..65b596ae240 100644 --- a/src/Beta/Microsoft/Graph/Model/AuthenticationFlowsPolicy.php +++ b/src/Beta/Microsoft/Graph/Model/AuthenticationFlowsPolicy.php @@ -26,7 +26,7 @@ class AuthenticationFlowsPolicy extends Entity { /** * Gets the description - * Inherited property. A description of the policy. Optional. Read-only. + * Inherited property. A description of the policy. This property is not a key. Optional. Read-only. * * @return string|null The description */ @@ -41,7 +41,7 @@ public function getDescription() /** * Sets the description - * Inherited property. A description of the policy. Optional. Read-only. + * Inherited property. A description of the policy. This property is not a key. Optional. Read-only. * * @param string $val The description * @@ -55,7 +55,7 @@ public function setDescription($val) /** * Gets the displayName - * Inherited property. The human-readable name of the policy. Optional. Read-only. + * Inherited property. The human-readable name of the policy. This property is not a key. Optional. Read-only. * * @return string|null The displayName */ @@ -70,7 +70,7 @@ public function getDisplayName() /** * Sets the displayName - * Inherited property. The human-readable name of the policy. Optional. Read-only. + * Inherited property. The human-readable name of the policy. This property is not a key. Optional. Read-only. * * @param string $val The displayName * @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the selfServiceSignUp - * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. Optional. Read-only. + * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. This property is not a key. Optional. Read-only. * * @return SelfServiceSignUpAuthenticationFlowConfiguration|null The selfServiceSignUp */ @@ -103,7 +103,7 @@ public function getSelfServiceSignUp() /** * Sets the selfServiceSignUp - * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. Optional. Read-only. + * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. This property is not a key. Optional. Read-only. * * @param SelfServiceSignUpAuthenticationFlowConfiguration $val The selfServiceSignUp * diff --git a/src/Beta/Microsoft/Graph/Model/AuthorizationPolicy.php b/src/Beta/Microsoft/Graph/Model/AuthorizationPolicy.php index 83959fc8f82..b721ba094bb 100644 --- a/src/Beta/Microsoft/Graph/Model/AuthorizationPolicy.php +++ b/src/Beta/Microsoft/Graph/Model/AuthorizationPolicy.php @@ -237,7 +237,7 @@ public function setEnabledPreviewFeatures($val) /** * Gets the guestUserRoleId - * Represents role templateId for the role that should be granted to guest user. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). + * Represents role templateId for the role that should be granted to guest user. Refer to List unifiedRoleDefinitions to find the list of available role templates. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). * * @return string|null The guestUserRoleId */ @@ -252,7 +252,7 @@ public function getGuestUserRoleId() /** * Sets the guestUserRoleId - * Represents role templateId for the role that should be granted to guest user. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). + * Represents role templateId for the role that should be granted to guest user. Refer to List unifiedRoleDefinitions to find the list of available role templates. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). * * @param string $val The guestUserRoleId * diff --git a/src/Beta/Microsoft/Graph/Model/AutomaticRepliesSetting.php b/src/Beta/Microsoft/Graph/Model/AutomaticRepliesSetting.php index 86ff618f441..3ebb330944b 100644 --- a/src/Beta/Microsoft/Graph/Model/AutomaticRepliesSetting.php +++ b/src/Beta/Microsoft/Graph/Model/AutomaticRepliesSetting.php @@ -26,7 +26,7 @@ class AutomaticRepliesSetting extends Entity /** * Gets the externalAudience - * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. The possible values are: none, contactsOnly, all. + * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. Possible values are: none, contactsOnly, all. * * @return ExternalAudienceScope|null The externalAudience */ @@ -45,7 +45,7 @@ public function getExternalAudience() /** * Sets the externalAudience - * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. The possible values are: none, contactsOnly, all. + * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. Possible values are: none, contactsOnly, all. * * @param ExternalAudienceScope $val The value to assign to the externalAudience * @@ -181,7 +181,7 @@ public function setScheduledStartDateTime($val) /** * Gets the status - * Configurations status for automatic replies. The possible values are: disabled, alwaysEnabled, scheduled. + * Configurations status for automatic replies. Possible values are: disabled, alwaysEnabled, scheduled. * * @return AutomaticRepliesStatus|null The status */ @@ -200,7 +200,7 @@ public function getStatus() /** * Sets the status - * Configurations status for automatic replies. The possible values are: disabled, alwaysEnabled, scheduled. + * Configurations status for automatic replies. Possible values are: disabled, alwaysEnabled, scheduled. * * @param AutomaticRepliesStatus $val The value to assign to the status * diff --git a/src/Beta/Microsoft/Graph/Model/B2xIdentityUserFlow.php b/src/Beta/Microsoft/Graph/Model/B2xIdentityUserFlow.php index 8ab3d5c646a..c7108b5bfe1 100644 --- a/src/Beta/Microsoft/Graph/Model/B2xIdentityUserFlow.php +++ b/src/Beta/Microsoft/Graph/Model/B2xIdentityUserFlow.php @@ -26,7 +26,7 @@ class B2xIdentityUserFlow extends IdentityUserFlow { /** * Gets the apiConnectorConfiguration - * Configuration for enabling an API connector for use as part of the self-service sign-up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. + * Configuration for enabling an API connector for use as part of the self-service sign up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. * * @return UserFlowApiConnectorConfiguration|null The apiConnectorConfiguration */ @@ -45,7 +45,7 @@ public function getApiConnectorConfiguration() /** * Sets the apiConnectorConfiguration - * Configuration for enabling an API connector for use as part of the self-service sign-up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. + * Configuration for enabling an API connector for use as part of the self-service sign up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. * * @param UserFlowApiConnectorConfiguration $val The apiConnectorConfiguration * @@ -90,7 +90,7 @@ public function setIdentityProviders($val) /** * Gets the languages - * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign-up user flow. You cannot create custom languages in self-service sign-up user flows. + * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign up user flow. You cannot create custom languages in self-service sign up user flows. * * @return array|null The languages */ @@ -105,7 +105,7 @@ public function getLanguages() /** * Sets the languages - * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign-up user flow. You cannot create custom languages in self-service sign-up user flows. + * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign up user flow. You cannot create custom languages in self-service sign up user flows. * * @param UserFlowLanguageConfiguration $val The languages * diff --git a/src/Beta/Microsoft/Graph/Model/Calendar.php b/src/Beta/Microsoft/Graph/Model/Calendar.php index ca3cfdc9d41..b24d7b125ba 100644 --- a/src/Beta/Microsoft/Graph/Model/Calendar.php +++ b/src/Beta/Microsoft/Graph/Model/Calendar.php @@ -85,7 +85,7 @@ public function setCalendarGroupId($val) /** * Gets the canEdit - * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access. + * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access, through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @return bool|null The canEdit */ @@ -100,7 +100,7 @@ public function getCanEdit() /** * Sets the canEdit - * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access. + * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access, through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @param bool $val The canEdit * @@ -114,7 +114,7 @@ public function setCanEdit($val) /** * Gets the canShare - * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. + * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. Read-only. * * @return bool|null The canShare */ @@ -129,7 +129,7 @@ public function getCanShare() /** * Sets the canShare - * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. + * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. Read-only. * * @param bool $val The canShare * @@ -143,7 +143,7 @@ public function setCanShare($val) /** * Gets the canViewPrivateItems - * true if the user can read calendar items that have been marked private, false otherwise. + * true if the user can read calendar items that have been marked private, false otherwise. This property is set through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @return bool|null The canViewPrivateItems */ @@ -158,7 +158,7 @@ public function getCanViewPrivateItems() /** * Sets the canViewPrivateItems - * true if the user can read calendar items that have been marked private, false otherwise. + * true if the user can read calendar items that have been marked private, false otherwise. This property is set through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @param bool $val The canViewPrivateItems * @@ -267,7 +267,7 @@ public function setDefaultOnlineMeetingProvider($val) /** * Gets the hexColor - * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. Read-only. + * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. * * @return string|null The hexColor */ @@ -282,7 +282,7 @@ public function getHexColor() /** * Sets the hexColor - * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. Read-only. + * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. * * @param string $val The hexColor * @@ -470,7 +470,7 @@ public function setName($val) /** * Gets the owner - * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. + * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. Read-only. * * @return EmailAddress|null The owner */ @@ -489,7 +489,7 @@ public function getOwner() /** * Sets the owner - * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. + * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. Read-only. * * @param EmailAddress $val The owner * diff --git a/src/Beta/Microsoft/Graph/Model/Call.php b/src/Beta/Microsoft/Graph/Model/Call.php index 0300c2d5576..8cb06bdf7a3 100644 --- a/src/Beta/Microsoft/Graph/Model/Call.php +++ b/src/Beta/Microsoft/Graph/Model/Call.php @@ -208,7 +208,7 @@ public function setCallRoutes($val) /** * Gets the chatInfo - * The chat information. Required information for joining a meeting. + * The chat information. Required information for meeting scenarios. * * @return ChatInfo|null The chatInfo */ @@ -227,7 +227,7 @@ public function getChatInfo() /** * Sets the chatInfo - * The chat information. Required information for joining a meeting. + * The chat information. Required information for meeting scenarios. * * @param ChatInfo $val The chatInfo * @@ -307,7 +307,7 @@ public function setIncomingContext($val) /** * Gets the mediaConfig - * The media configuration. Required. + * The media configuration. Required information for creating peer to peer calls or joining meetings. * * @return MediaConfig|null The mediaConfig */ @@ -326,7 +326,7 @@ public function getMediaConfig() /** * Sets the mediaConfig - * The media configuration. Required. + * The media configuration. Required information for creating peer to peer calls or joining meetings. * * @param MediaConfig $val The mediaConfig * @@ -406,7 +406,7 @@ public function setMeetingCapability($val) /** * Gets the meetingInfo - * The meeting information that's required for joining a meeting. + * The meeting information. Required information for meeting scenarios. * * @return MeetingInfo|null The meetingInfo */ @@ -425,7 +425,7 @@ public function getMeetingInfo() /** * Sets the meetingInfo - * The meeting information that's required for joining a meeting. + * The meeting information. Required information for meeting scenarios. * * @param MeetingInfo $val The meetingInfo * diff --git a/src/Beta/Microsoft/Graph/Model/ChangeNotification.php b/src/Beta/Microsoft/Graph/Model/ChangeNotification.php index 539a7fe27c1..73686c5a721 100644 --- a/src/Beta/Microsoft/Graph/Model/ChangeNotification.php +++ b/src/Beta/Microsoft/Graph/Model/ChangeNotification.php @@ -58,7 +58,7 @@ public function setChangeType($val) } /** * Gets the clientState - * Value of the clientState property sent in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. + * Value of the clientState property sent specified in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. * * @return string|null The clientState */ @@ -73,7 +73,7 @@ public function getClientState() /** * Sets the clientState - * Value of the clientState property sent in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. + * Value of the clientState property sent specified in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. * * @param string $val The value of the clientState * diff --git a/src/Beta/Microsoft/Graph/Model/Channel.php b/src/Beta/Microsoft/Graph/Model/Channel.php index c3f3cb55ec8..0968a7f3e41 100644 --- a/src/Beta/Microsoft/Graph/Model/Channel.php +++ b/src/Beta/Microsoft/Graph/Model/Channel.php @@ -175,7 +175,7 @@ public function setIsFavoriteByDefault($val) /** * Gets the membershipType - * The type of the channel. Can be set during creation and cannot be changed. Possible values are: standard - Channel inherits the list of members of the parent team; private - Channel can have members that are a subset of all the members on the parent team. + * The type of the channel. Can be set during creation and cannot be changed. Default: standard. * * @return ChannelMembershipType|null The membershipType */ @@ -194,7 +194,7 @@ public function getMembershipType() /** * Sets the membershipType - * The type of the channel. Can be set during creation and cannot be changed. Possible values are: standard - Channel inherits the list of members of the parent team; private - Channel can have members that are a subset of all the members on the parent team. + * The type of the channel. Can be set during creation and cannot be changed. Default: standard. * * @param ChannelMembershipType $val The membershipType * diff --git a/src/Beta/Microsoft/Graph/Model/ChatInfo.php b/src/Beta/Microsoft/Graph/Model/ChatInfo.php index d93fd37c4f7..e8d68fa4b14 100644 --- a/src/Beta/Microsoft/Graph/Model/ChatInfo.php +++ b/src/Beta/Microsoft/Graph/Model/ChatInfo.php @@ -25,7 +25,7 @@ class ChatInfo extends Entity { /** * Gets the messageId - * The unique identifier of a message in a Microsoft Teams channel. + * The unique identifier for a message in a Microsoft Teams channel. * * @return string|null The messageId */ @@ -40,7 +40,7 @@ public function getMessageId() /** * Sets the messageId - * The unique identifier of a message in a Microsoft Teams channel. + * The unique identifier for a message in a Microsoft Teams channel. * * @param string $val The value of the messageId * diff --git a/src/Beta/Microsoft/Graph/Model/ChatMessage.php b/src/Beta/Microsoft/Graph/Model/ChatMessage.php index 4b238016a79..9baf7b5622c 100644 --- a/src/Beta/Microsoft/Graph/Model/ChatMessage.php +++ b/src/Beta/Microsoft/Graph/Model/ChatMessage.php @@ -533,7 +533,7 @@ public function setReactions($val) /** * Gets the replyToId - * Read-only. Id of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) + * Read-only. ID of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) * * @return string|null The replyToId */ @@ -548,7 +548,7 @@ public function getReplyToId() /** * Sets the replyToId - * Read-only. Id of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) + * Read-only. ID of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) * * @param string $val The replyToId * diff --git a/src/Beta/Microsoft/Graph/Model/CloudAppSecuritySessionControl.php b/src/Beta/Microsoft/Graph/Model/CloudAppSecuritySessionControl.php index 218a646654a..bfc52ced045 100644 --- a/src/Beta/Microsoft/Graph/Model/CloudAppSecuritySessionControl.php +++ b/src/Beta/Microsoft/Graph/Model/CloudAppSecuritySessionControl.php @@ -26,7 +26,7 @@ class CloudAppSecuritySessionControl extends ConditionalAccessSessionControl /** * Gets the cloudAppSecurityType - * Possible values are: mcasConfigured, monitorOnly, blockDownloads, unknownFutureValue. For more information, see Deploy Conditional Access App Control for featured apps. + * Possible values are: mcasConfigured, monitorOnly, blockDownloads. Learn more about these values here: https://docs.microsoft.com/cloud-app-security/proxy-deployment-aad#step-1-create-an-azure-ad-conditional-access-test-policy- * * @return CloudAppSecuritySessionControlType|null The cloudAppSecurityType */ @@ -45,7 +45,7 @@ public function getCloudAppSecurityType() /** * Sets the cloudAppSecurityType - * Possible values are: mcasConfigured, monitorOnly, blockDownloads, unknownFutureValue. For more information, see Deploy Conditional Access App Control for featured apps. + * Possible values are: mcasConfigured, monitorOnly, blockDownloads. Learn more about these values here: https://docs.microsoft.com/cloud-app-security/proxy-deployment-aad#step-1-create-an-azure-ad-conditional-access-test-policy- * * @param CloudAppSecuritySessionControlType $val The value to assign to the cloudAppSecurityType * diff --git a/src/Beta/Microsoft/Graph/Model/ConditionalAccessGrantControls.php b/src/Beta/Microsoft/Graph/Model/ConditionalAccessGrantControls.php index c76639a003d..d3cf43dd7ea 100644 --- a/src/Beta/Microsoft/Graph/Model/ConditionalAccessGrantControls.php +++ b/src/Beta/Microsoft/Graph/Model/ConditionalAccessGrantControls.php @@ -58,7 +58,7 @@ public function setBuiltInControls($val) } /** * Gets the customAuthenticationFactors - * List of custom controls IDs required by the policy. For more information, see Custom controls. + * List of custom controls IDs required by the policy. Learn more about custom controls here: https://docs.microsoft.com/azure/active-directory/conditional-access/controls#custom-controls-preview * * @return string|null The customAuthenticationFactors */ @@ -73,7 +73,7 @@ public function getCustomAuthenticationFactors() /** * Sets the customAuthenticationFactors - * List of custom controls IDs required by the policy. For more information, see Custom controls. + * List of custom controls IDs required by the policy. Learn more about custom controls here: https://docs.microsoft.com/azure/active-directory/conditional-access/controls#custom-controls-preview * * @param string $val The value of the customAuthenticationFactors * diff --git a/src/Beta/Microsoft/Graph/Model/Contact.php b/src/Beta/Microsoft/Graph/Model/Contact.php index 9943e778a6a..0dd7b6b1019 100644 --- a/src/Beta/Microsoft/Graph/Model/Contact.php +++ b/src/Beta/Microsoft/Graph/Model/Contact.php @@ -990,7 +990,7 @@ public function setYomiSurname($val) /** * Gets the extensions - * The collection of open extensions defined for the contact. Read-only. Nullable. + * The collection of open extensions defined for the contact. Nullable. * * @return array|null The extensions */ @@ -1005,7 +1005,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the contact. Read-only. Nullable. + * The collection of open extensions defined for the contact. Nullable. * * @param Extension $val The extensions * diff --git a/src/Beta/Microsoft/Graph/Model/DateTimeTimeZone.php b/src/Beta/Microsoft/Graph/Model/DateTimeTimeZone.php index cffaed4f70e..9f1c7f85d4e 100644 --- a/src/Beta/Microsoft/Graph/Model/DateTimeTimeZone.php +++ b/src/Beta/Microsoft/Graph/Model/DateTimeTimeZone.php @@ -25,7 +25,7 @@ class DateTimeTimeZone extends Entity { /** * Gets the dateTime - * A single point of time in a combined date and time representation ({date}T{time}; for example, 2017-08-29T04:00:00.0000000). + * A single point of time in a combined date and time representation ({date}T{time}). For example, '2019-04-16T09:00:00'. * * @return string|null The dateTime */ @@ -40,7 +40,7 @@ public function getDateTime() /** * Sets the dateTime - * A single point of time in a combined date and time representation ({date}T{time}; for example, 2017-08-29T04:00:00.0000000). + * A single point of time in a combined date and time representation ({date}T{time}). For example, '2019-04-16T09:00:00'. * * @param string $val The value of the dateTime * @@ -53,7 +53,7 @@ public function setDateTime($val) } /** * Gets the timeZone - * Represents a time zone, for example, 'Pacific Standard Time'. See below for more possible values. + * Represents a time zone, for example, 'Pacific Standard Time'. See below for possible values. * * @return string|null The timeZone */ @@ -68,7 +68,7 @@ public function getTimeZone() /** * Sets the timeZone - * Represents a time zone, for example, 'Pacific Standard Time'. See below for more possible values. + * Represents a time zone, for example, 'Pacific Standard Time'. See below for possible values. * * @param string $val The value of the timeZone * diff --git a/src/Beta/Microsoft/Graph/Model/DelegatedPermissionClassification.php b/src/Beta/Microsoft/Graph/Model/DelegatedPermissionClassification.php index 30f42e9b70f..260cedbf3f7 100644 --- a/src/Beta/Microsoft/Graph/Model/DelegatedPermissionClassification.php +++ b/src/Beta/Microsoft/Graph/Model/DelegatedPermissionClassification.php @@ -59,7 +59,7 @@ public function setClassification($val) /** * Gets the permissionId - * The unique identifier (id) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. + * The unique identifier (id) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. * * @return string|null The permissionId */ @@ -74,7 +74,7 @@ public function getPermissionId() /** * Sets the permissionId - * The unique identifier (id) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. + * The unique identifier (id) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. * * @param string $val The permissionId * @@ -88,7 +88,7 @@ public function setPermissionId($val) /** * Gets the permissionName - * The claim value (value) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Does not support $filter. + * The claim value (value) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Does not support $filter. * * @return string|null The permissionName */ @@ -103,7 +103,7 @@ public function getPermissionName() /** * Sets the permissionName - * The claim value (value) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Does not support $filter. + * The claim value (value) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Does not support $filter. * * @param string $val The permissionName * diff --git a/src/Beta/Microsoft/Graph/Model/Device.php b/src/Beta/Microsoft/Graph/Model/Device.php index db093c4a76e..85a1e97fe42 100644 --- a/src/Beta/Microsoft/Graph/Model/Device.php +++ b/src/Beta/Microsoft/Graph/Model/Device.php @@ -26,7 +26,7 @@ class Device extends DirectoryObject { /** * Gets the accountEnabled - * true if the account is enabled; otherwise, false. Required. + * true if the account is enabled; otherwise, false. default is true. * * @return bool|null The accountEnabled */ @@ -41,7 +41,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * true if the account is enabled; otherwise, false. Required. + * true if the account is enabled; otherwise, false. default is true. * * @param bool $val The accountEnabled * @@ -180,7 +180,7 @@ public function setDeviceCategory($val) /** * Gets the deviceId - * Unique identifier set by Azure Device Registration Service at the time of registration. + * Identifier set by Azure Device Registration Service at the time of registration. * * @return string|null The deviceId */ @@ -195,7 +195,7 @@ public function getDeviceId() /** * Sets the deviceId - * Unique identifier set by Azure Device Registration Service at the time of registration. + * Identifier set by Azure Device Registration Service at the time of registration. * * @param string $val The deviceId * @@ -679,7 +679,7 @@ public function setOperatingSystem($val) /** * Gets the operatingSystemVersion - * The version of the operating system on the device. Required. + * Operating system version of the device. Required. * * @return string|null The operatingSystemVersion */ @@ -694,7 +694,7 @@ public function getOperatingSystemVersion() /** * Sets the operatingSystemVersion - * The version of the operating system on the device. Required. + * Operating system version of the device. Required. * * @param string $val The operatingSystemVersion * @@ -828,7 +828,7 @@ public function setSystemLabels($val) /** * Gets the trustType - * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory + * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory * * @return string|null The trustType */ @@ -843,7 +843,7 @@ public function getTrustType() /** * Sets the trustType - * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory + * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory * * @param string $val The trustType * @@ -1152,7 +1152,7 @@ public function setRegisteredUsers($val) /** * Gets the transitiveMemberOf - * Groups that the device is a member of. This operation is transitive. + * Groups that this device is a member of. This operation is transitive. * * @return array|null The transitiveMemberOf */ @@ -1167,7 +1167,7 @@ public function getTransitiveMemberOf() /** * Sets the transitiveMemberOf - * Groups that the device is a member of. This operation is transitive. + * Groups that this device is a member of. This operation is transitive. * * @param DirectoryObject $val The transitiveMemberOf * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceComplianceActionItem.php b/src/Beta/Microsoft/Graph/Model/DeviceComplianceActionItem.php index 86dcd9ae1e1..ff85aa68168 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceComplianceActionItem.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceComplianceActionItem.php @@ -26,7 +26,7 @@ class DeviceComplianceActionItem extends Entity { /** * Gets the actionType - * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification. + * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification, remoteLock. * * @return DeviceComplianceActionType|null The actionType */ @@ -45,7 +45,7 @@ public function getActionType() /** * Sets the actionType - * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification. + * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification, remoteLock. * * @param DeviceComplianceActionType $val The actionType * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceCompliancePolicySettingStateSummary.php b/src/Beta/Microsoft/Graph/Model/DeviceCompliancePolicySettingStateSummary.php index ce4227f9a5f..c4fbde154c0 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceCompliancePolicySettingStateSummary.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceCompliancePolicySettingStateSummary.php @@ -171,7 +171,7 @@ public function setNotApplicableDeviceCount($val) /** * Gets the platformType - * Setting platform. Possible values are: android, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, all. + * Setting platform. Possible values are: android, androidForWork, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, windows10XProfile, all. * * @return PolicyPlatformType|null The platformType */ @@ -190,7 +190,7 @@ public function getPlatformType() /** * Sets the platformType - * Setting platform. Possible values are: android, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, all. + * Setting platform. Possible values are: android, androidForWork, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, windows10XProfile, all. * * @param PolicyPlatformType $val The platformType * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceDetail.php b/src/Beta/Microsoft/Graph/Model/DeviceDetail.php index 6f8aa7c78e7..17090a575b4 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceDetail.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceDetail.php @@ -25,7 +25,7 @@ class DeviceDetail extends Entity { /** * Gets the browser - * Indicates the browser information of the used for signing in. + * Indicates the browser information of the used for signing-in. * * @return string|null The browser */ @@ -40,7 +40,7 @@ public function getBrowser() /** * Sets the browser - * Indicates the browser information of the used for signing in. + * Indicates the browser information of the used for signing-in. * * @param string $val The value of the browser * @@ -79,7 +79,7 @@ public function setBrowserId($val) } /** * Gets the deviceId - * Refers to the UniqueID of the device used for signing in. + * Refers to the UniqueID of the device used for signing-in. * * @return string|null The deviceId */ @@ -94,7 +94,7 @@ public function getDeviceId() /** * Sets the deviceId - * Refers to the UniqueID of the device used for signing in. + * Refers to the UniqueID of the device used for signing-in. * * @param string $val The value of the deviceId * @@ -107,7 +107,7 @@ public function setDeviceId($val) } /** * Gets the displayName - * Refers to the name of the device used for signing in. + * Refers to the name of the device used for signing-in. * * @return string|null The displayName */ @@ -122,7 +122,7 @@ public function getDisplayName() /** * Sets the displayName - * Refers to the name of the device used for signing in. + * Refers to the name of the device used for signing-in. * * @param string $val The value of the displayName * @@ -135,7 +135,7 @@ public function setDisplayName($val) } /** * Gets the isCompliant - * Indicates whether the device is compliant. + * Indicates whether the device is compliant or not. * * @return bool|null The isCompliant */ @@ -150,7 +150,7 @@ public function getIsCompliant() /** * Sets the isCompliant - * Indicates whether the device is compliant. + * Indicates whether the device is compliant or not. * * @param bool $val The value of the isCompliant * @@ -163,7 +163,7 @@ public function setIsCompliant($val) } /** * Gets the isManaged - * Indicates whether the device is managed. + * Indicates if the device is managed or not. * * @return bool|null The isManaged */ @@ -178,7 +178,7 @@ public function getIsManaged() /** * Sets the isManaged - * Indicates whether the device is managed. + * Indicates if the device is managed or not. * * @param bool $val The value of the isManaged * @@ -191,7 +191,7 @@ public function setIsManaged($val) } /** * Gets the operatingSystem - * Indicates the operating system name and version used for signing in. + * Indicates the OS name and version used for signing-in. * * @return string|null The operatingSystem */ @@ -206,7 +206,7 @@ public function getOperatingSystem() /** * Sets the operatingSystem - * Indicates the operating system name and version used for signing in. + * Indicates the OS name and version used for signing-in. * * @param string $val The value of the operatingSystem * @@ -219,7 +219,7 @@ public function setOperatingSystem($val) } /** * Gets the trustType - * Provides information about whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. + * Indicates information on whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. * * @return string|null The trustType */ @@ -234,7 +234,7 @@ public function getTrustType() /** * Sets the trustType - * Provides information about whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. + * Indicates information on whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. * * @param string $val The value of the trustType * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentConfiguration.php b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentConfiguration.php index 3c2b4d77aea..83c4e63030c 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentConfiguration extends Entity { /** * Gets the createdDateTime - * Not yet documented + * Created date time in UTC of the device enrollment configuration * * @return \DateTime|null The createdDateTime */ @@ -45,7 +45,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * Not yet documented + * Created date time in UTC of the device enrollment configuration * * @param \DateTime $val The createdDateTime * @@ -59,7 +59,7 @@ public function setCreatedDateTime($val) /** * Gets the description - * Not yet documented + * The description of the device enrollment configuration * * @return string|null The description */ @@ -74,7 +74,7 @@ public function getDescription() /** * Sets the description - * Not yet documented + * The description of the device enrollment configuration * * @param string $val The description * @@ -88,7 +88,7 @@ public function setDescription($val) /** * Gets the displayName - * Not yet documented + * The display name of the device enrollment configuration * * @return string|null The displayName */ @@ -103,7 +103,7 @@ public function getDisplayName() /** * Sets the displayName - * Not yet documented + * The display name of the device enrollment configuration * * @param string $val The displayName * @@ -117,7 +117,7 @@ public function setDisplayName($val) /** * Gets the lastModifiedDateTime - * Not yet documented + * Last modified date time in UTC of the device enrollment configuration * * @return \DateTime|null The lastModifiedDateTime */ @@ -136,7 +136,7 @@ public function getLastModifiedDateTime() /** * Sets the lastModifiedDateTime - * Not yet documented + * Last modified date time in UTC of the device enrollment configuration * * @param \DateTime $val The lastModifiedDateTime * @@ -150,7 +150,7 @@ public function setLastModifiedDateTime($val) /** * Gets the priority - * Not yet documented + * Priority is used when a user exists in multiple groups that are assigned enrollment configuration. Users are subject only to the configuration with the lowest priority value. * * @return int|null The priority */ @@ -165,7 +165,7 @@ public function getPriority() /** * Sets the priority - * Not yet documented + * Priority is used when a user exists in multiple groups that are assigned enrollment configuration. Users are subject only to the configuration with the lowest priority value. * * @param int $val The priority * @@ -208,7 +208,7 @@ public function setRoleScopeTagIds($val) /** * Gets the version - * Not yet documented + * The version of the device enrollment configuration * * @return int|null The version */ @@ -223,7 +223,7 @@ public function getVersion() /** * Sets the version - * Not yet documented + * The version of the device enrollment configuration * * @param int $val The version * @@ -238,7 +238,7 @@ public function setVersion($val) /** * Gets the assignments - * The list of group assignments for the device configuration profile. + * The list of group assignments for the device configuration profile * * @return array|null The assignments */ @@ -253,7 +253,7 @@ public function getAssignments() /** * Sets the assignments - * The list of group assignments for the device configuration profile. + * The list of group assignments for the device configuration profile * * @param EnrollmentConfigurationAssignment $val The assignments * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentLimitConfiguration.php b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentLimitConfiguration.php index 1e5cca4b9d6..8ef73c44eca 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentLimitConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentLimitConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentLimitConfiguration extends DeviceEnrollmentConfiguration { /** * Gets the limit - * Not yet documented + * The maximum number of devices that a user can enroll * * @return int|null The limit */ @@ -41,7 +41,7 @@ public function getLimit() /** * Sets the limit - * Not yet documented + * The maximum number of devices that a user can enroll * * @param int $val The limit * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php index 2669dec8a9c..4851e920cfb 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php @@ -59,7 +59,7 @@ public function setAndroidForWorkRestriction($val) /** * Gets the androidRestriction - * Not yet documented + * Android restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The androidRestriction */ @@ -78,7 +78,7 @@ public function getAndroidRestriction() /** * Sets the androidRestriction - * Not yet documented + * Android restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The androidRestriction * @@ -125,7 +125,7 @@ public function setAospRestriction($val) /** * Gets the iosRestriction - * Not yet documented + * Ios restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The iosRestriction */ @@ -144,7 +144,7 @@ public function getIosRestriction() /** * Sets the iosRestriction - * Not yet documented + * Ios restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The iosRestriction * @@ -158,7 +158,7 @@ public function setIosRestriction($val) /** * Gets the macOSRestriction - * Not yet documented + * Mac restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The macOSRestriction */ @@ -177,7 +177,7 @@ public function getMacOSRestriction() /** * Sets the macOSRestriction - * Not yet documented + * Mac restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The macOSRestriction * @@ -257,7 +257,7 @@ public function setWindowsHomeSkuRestriction($val) /** * Gets the windowsMobileRestriction - * Not yet documented + * Windows mobile restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The windowsMobileRestriction */ @@ -276,7 +276,7 @@ public function getWindowsMobileRestriction() /** * Sets the windowsMobileRestriction - * Not yet documented + * Windows mobile restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The windowsMobileRestriction * @@ -290,7 +290,7 @@ public function setWindowsMobileRestriction($val) /** * Gets the windowsRestriction - * Not yet documented + * Windows restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The windowsRestriction */ @@ -309,7 +309,7 @@ public function getWindowsRestriction() /** * Sets the windowsRestriction - * Not yet documented + * Windows restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The windowsRestriction * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php index f87feb2d671..a9d2c176ca4 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentWindowsHelloForBusinessConfiguration extends DeviceEnrollm { /** * Gets the enhancedBiometricsState - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls the ability to use the anti-spoofing features for facial recognition on devices which support it. If set to disabled, anti-spoofing features are not allowed. If set to Not Configured, the user can choose whether they want to use anti-spoofing. Possible values are: notConfigured, enabled, disabled. * * @return Enablement|null The enhancedBiometricsState */ @@ -45,7 +45,7 @@ public function getEnhancedBiometricsState() /** * Sets the enhancedBiometricsState - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls the ability to use the anti-spoofing features for facial recognition on devices which support it. If set to disabled, anti-spoofing features are not allowed. If set to Not Configured, the user can choose whether they want to use anti-spoofing. Possible values are: notConfigured, enabled, disabled. * * @param Enablement $val The enhancedBiometricsState * @@ -59,7 +59,7 @@ public function setEnhancedBiometricsState($val) /** * Gets the pinExpirationInDays - * Not yet documented + * Controls the period of time (in days) that a PIN can be used before the system requires the user to change it. This must be set between 0 and 730, inclusive. If set to 0, the user's PIN will never expire * * @return int|null The pinExpirationInDays */ @@ -74,7 +74,7 @@ public function getPinExpirationInDays() /** * Sets the pinExpirationInDays - * Not yet documented + * Controls the period of time (in days) that a PIN can be used before the system requires the user to change it. This must be set between 0 and 730, inclusive. If set to 0, the user's PIN will never expire * * @param int $val The pinExpirationInDays * @@ -88,7 +88,7 @@ public function setPinExpirationInDays($val) /** * Gets the pinLowercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use lowercase letters in the Windows Hello for Business PIN. Allowed permits the use of lowercase letter(s), whereas Required ensures they are present. If set to Not Allowed, lowercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinLowercaseCharactersUsage */ @@ -107,7 +107,7 @@ public function getPinLowercaseCharactersUsage() /** * Sets the pinLowercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use lowercase letters in the Windows Hello for Business PIN. Allowed permits the use of lowercase letter(s), whereas Required ensures they are present. If set to Not Allowed, lowercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinLowercaseCharactersUsage * @@ -121,7 +121,7 @@ public function setPinLowercaseCharactersUsage($val) /** * Gets the pinMaximumLength - * Not yet documented + * Controls the maximum number of characters allowed for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive. This value must be greater than or equal to the value set for the minimum PIN. * * @return int|null The pinMaximumLength */ @@ -136,7 +136,7 @@ public function getPinMaximumLength() /** * Sets the pinMaximumLength - * Not yet documented + * Controls the maximum number of characters allowed for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive. This value must be greater than or equal to the value set for the minimum PIN. * * @param int $val The pinMaximumLength * @@ -150,7 +150,7 @@ public function setPinMaximumLength($val) /** * Gets the pinMinimumLength - * Not yet documented + * Controls the minimum number of characters required for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive, and less than or equal to the value set for the maximum PIN. * * @return int|null The pinMinimumLength */ @@ -165,7 +165,7 @@ public function getPinMinimumLength() /** * Sets the pinMinimumLength - * Not yet documented + * Controls the minimum number of characters required for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive, and less than or equal to the value set for the maximum PIN. * * @param int $val The pinMinimumLength * @@ -179,7 +179,7 @@ public function setPinMinimumLength($val) /** * Gets the pinPreviousBlockCount - * Not yet documented + * Controls the ability to prevent users from using past PINs. This must be set between 0 and 50, inclusive, and the current PIN of the user is included in that count. If set to 0, previous PINs are not stored. PIN history is not preserved through a PIN reset. * * @return int|null The pinPreviousBlockCount */ @@ -194,7 +194,7 @@ public function getPinPreviousBlockCount() /** * Sets the pinPreviousBlockCount - * Not yet documented + * Controls the ability to prevent users from using past PINs. This must be set between 0 and 50, inclusive, and the current PIN of the user is included in that count. If set to 0, previous PINs are not stored. PIN history is not preserved through a PIN reset. * * @param int $val The pinPreviousBlockCount * @@ -208,7 +208,7 @@ public function setPinPreviousBlockCount($val) /** * Gets the pinSpecialCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use special characters in the Windows Hello for Business PIN. Allowed permits the use of special character(s), whereas Required ensures they are present. If set to Not Allowed, special character(s) will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinSpecialCharactersUsage */ @@ -227,7 +227,7 @@ public function getPinSpecialCharactersUsage() /** * Sets the pinSpecialCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use special characters in the Windows Hello for Business PIN. Allowed permits the use of special character(s), whereas Required ensures they are present. If set to Not Allowed, special character(s) will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinSpecialCharactersUsage * @@ -241,7 +241,7 @@ public function setPinSpecialCharactersUsage($val) /** * Gets the pinUppercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use uppercase letters in the Windows Hello for Business PIN. Allowed permits the use of uppercase letter(s), whereas Required ensures they are present. If set to Not Allowed, uppercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinUppercaseCharactersUsage */ @@ -260,7 +260,7 @@ public function getPinUppercaseCharactersUsage() /** * Sets the pinUppercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use uppercase letters in the Windows Hello for Business PIN. Allowed permits the use of uppercase letter(s), whereas Required ensures they are present. If set to Not Allowed, uppercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinUppercaseCharactersUsage * @@ -274,7 +274,7 @@ public function setPinUppercaseCharactersUsage($val) /** * Gets the remotePassportEnabled - * Not yet documented + * Controls the use of Remote Windows Hello for Business. Remote Windows Hello for Business provides the ability for a portable, registered device to be usable as a companion for desktop authentication. The desktop must be Azure AD joined and the companion device must have a Windows Hello for Business PIN. * * @return bool|null The remotePassportEnabled */ @@ -289,7 +289,7 @@ public function getRemotePassportEnabled() /** * Sets the remotePassportEnabled - * Not yet documented + * Controls the use of Remote Windows Hello for Business. Remote Windows Hello for Business provides the ability for a portable, registered device to be usable as a companion for desktop authentication. The desktop must be Azure AD joined and the companion device must have a Windows Hello for Business PIN. * * @param bool $val The remotePassportEnabled * @@ -303,7 +303,7 @@ public function setRemotePassportEnabled($val) /** * Gets the securityDeviceRequired - * Not yet documented + * Controls whether to require a Trusted Platform Module (TPM) for provisioning Windows Hello for Business. A TPM provides an additional security benefit in that data stored on it cannot be used on other devices. If set to False, all devices can provision Windows Hello for Business even if there is not a usable TPM. * * @return bool|null The securityDeviceRequired */ @@ -318,7 +318,7 @@ public function getSecurityDeviceRequired() /** * Sets the securityDeviceRequired - * Not yet documented + * Controls whether to require a Trusted Platform Module (TPM) for provisioning Windows Hello for Business. A TPM provides an additional security benefit in that data stored on it cannot be used on other devices. If set to False, all devices can provision Windows Hello for Business even if there is not a usable TPM. * * @param bool $val The securityDeviceRequired * @@ -365,7 +365,7 @@ public function setSecurityKeyForSignIn($val) /** * Gets the state - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls whether to allow the device to be configured for Windows Hello for Business. If set to disabled, the user cannot provision Windows Hello for Business except on Azure Active Directory joined mobile phones if otherwise required. If set to Not Configured, Intune will not override client defaults. Possible values are: notConfigured, enabled, disabled. * * @return Enablement|null The state */ @@ -384,7 +384,7 @@ public function getState() /** * Sets the state - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls whether to allow the device to be configured for Windows Hello for Business. If set to disabled, the user cannot provision Windows Hello for Business except on Azure Active Directory joined mobile phones if otherwise required. If set to Not Configured, Intune will not override client defaults. Possible values are: notConfigured, enabled, disabled. * * @param Enablement $val The state * @@ -398,7 +398,7 @@ public function setState($val) /** * Gets the unlockWithBiometricsEnabled - * Not yet documented + * Controls the use of biometric gestures, such as face and fingerprint, as an alternative to the Windows Hello for Business PIN. If set to False, biometric gestures are not allowed. Users must still configure a PIN as a backup in case of failures. * * @return bool|null The unlockWithBiometricsEnabled */ @@ -413,7 +413,7 @@ public function getUnlockWithBiometricsEnabled() /** * Sets the unlockWithBiometricsEnabled - * Not yet documented + * Controls the use of biometric gestures, such as face and fingerprint, as an alternative to the Windows Hello for Business PIN. If set to False, biometric gestures are not allowed. Users must still configure a PIN as a backup in case of failures. * * @param bool $val The unlockWithBiometricsEnabled * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceManagement.php b/src/Beta/Microsoft/Graph/Model/DeviceManagement.php index a6bb0cf9e28..4d66ddb5488 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceManagement.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceManagement.php @@ -439,7 +439,7 @@ public function setSubscriptions($val) /** * Gets the subscriptionState - * Tenant mobile device management subscription state. The possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. + * Tenant mobile device management subscription state. Possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. * * @return DeviceManagementSubscriptionState|null The subscriptionState */ @@ -458,7 +458,7 @@ public function getSubscriptionState() /** * Sets the subscriptionState - * Tenant mobile device management subscription state. The possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. + * Tenant mobile device management subscription state. Possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. * * @param DeviceManagementSubscriptionState $val The subscriptionState * diff --git a/src/Beta/Microsoft/Graph/Model/DeviceManagementSettings.php b/src/Beta/Microsoft/Graph/Model/DeviceManagementSettings.php index 5c909d119f0..0fb92e4c57c 100644 --- a/src/Beta/Microsoft/Graph/Model/DeviceManagementSettings.php +++ b/src/Beta/Microsoft/Graph/Model/DeviceManagementSettings.php @@ -114,7 +114,7 @@ public function setDerivedCredentialUrl($val) } /** * Gets the deviceComplianceCheckinThresholdDays - * The number of days a device is allowed to go without checking in to remain compliant. Valid values 0 to 120 + * The number of days a device is allowed to go without checking in to remain compliant. * * @return int|null The deviceComplianceCheckinThresholdDays */ @@ -129,7 +129,7 @@ public function getDeviceComplianceCheckinThresholdDays() /** * Sets the deviceComplianceCheckinThresholdDays - * The number of days a device is allowed to go without checking in to remain compliant. Valid values 0 to 120 + * The number of days a device is allowed to go without checking in to remain compliant. * * @param int $val The value of the deviceComplianceCheckinThresholdDays * diff --git a/src/Beta/Microsoft/Graph/Model/DirectoryAudit.php b/src/Beta/Microsoft/Graph/Model/DirectoryAudit.php index d7111fad3d4..7bba1919602 100644 --- a/src/Beta/Microsoft/Graph/Model/DirectoryAudit.php +++ b/src/Beta/Microsoft/Graph/Model/DirectoryAudit.php @@ -59,7 +59,7 @@ public function setActivityDateTime($val) /** * Gets the activityDisplayName - * Indicates the activity name or the operation name (examples: 'Create User' and 'Add member to group'). For full list, see Azure AD activity list. + * Indicates the activity name or the operation name (E.g. 'Create User', 'Add member to group'). For a list of activities logged, refer to Azure Ad activity list. * * @return string|null The activityDisplayName */ @@ -74,7 +74,7 @@ public function getActivityDisplayName() /** * Sets the activityDisplayName - * Indicates the activity name or the operation name (examples: 'Create User' and 'Add member to group'). For full list, see Azure AD activity list. + * Indicates the activity name or the operation name (E.g. 'Create User', 'Add member to group'). For a list of activities logged, refer to Azure Ad activity list. * * @param string $val The activityDisplayName * diff --git a/src/Beta/Microsoft/Graph/Model/Domain.php b/src/Beta/Microsoft/Graph/Model/Domain.php index 394aaf80e93..86f41be377c 100644 --- a/src/Beta/Microsoft/Graph/Model/Domain.php +++ b/src/Beta/Microsoft/Graph/Model/Domain.php @@ -320,7 +320,7 @@ public function setState($val) /** * Gets the supportedServices - * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline, SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable + * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline,SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable * * @return string|null The supportedServices */ @@ -335,7 +335,7 @@ public function getSupportedServices() /** * Sets the supportedServices - * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline, SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable + * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline,SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable * * @param string $val The supportedServices * diff --git a/src/Beta/Microsoft/Graph/Model/DriveItem.php b/src/Beta/Microsoft/Graph/Model/DriveItem.php index c05f6516690..2d8f0079b28 100644 --- a/src/Beta/Microsoft/Graph/Model/DriveItem.php +++ b/src/Beta/Microsoft/Graph/Model/DriveItem.php @@ -414,7 +414,7 @@ public function setPackage($val) /** * Gets the pendingOperations - * If present, indicates that one or more operations that might affect the state of the driveItem are pending completion. Read-only. + * If present, indicates that indicates that one or more operations that may affect the state of the driveItem are pending completion. Read-only. * * @return PendingOperations|null The pendingOperations */ @@ -433,7 +433,7 @@ public function getPendingOperations() /** * Sets the pendingOperations - * If present, indicates that one or more operations that might affect the state of the driveItem are pending completion. Read-only. + * If present, indicates that indicates that one or more operations that may affect the state of the driveItem are pending completion. Read-only. * * @param PendingOperations $val The pendingOperations * diff --git a/src/Beta/Microsoft/Graph/Model/DriveItemVersion.php b/src/Beta/Microsoft/Graph/Model/DriveItemVersion.php index c66b6828dff..93f3b09e5ad 100644 --- a/src/Beta/Microsoft/Graph/Model/DriveItemVersion.php +++ b/src/Beta/Microsoft/Graph/Model/DriveItemVersion.php @@ -26,7 +26,6 @@ class DriveItemVersion extends BaseItemVersion { /** * Gets the content - * The content stream for this version of the item. * * @return \GuzzleHttp\Psr7\Stream|null The content */ @@ -45,7 +44,6 @@ public function getContent() /** * Sets the content - * The content stream for this version of the item. * * @param \GuzzleHttp\Psr7\Stream $val The content * diff --git a/src/Beta/Microsoft/Graph/Model/EditionUpgradeConfiguration.php b/src/Beta/Microsoft/Graph/Model/EditionUpgradeConfiguration.php index abab0155821..32d679b9ecf 100644 --- a/src/Beta/Microsoft/Graph/Model/EditionUpgradeConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/EditionUpgradeConfiguration.php @@ -55,7 +55,7 @@ public function setLicense($val) /** * Gets the licenseType - * Edition Upgrade License Type. Possible values are: productKey, licenseFile. + * Edition Upgrade License Type. Possible values are: productKey, licenseFile, notConfigured. * * @return EditionUpgradeLicenseType|null The licenseType */ @@ -74,7 +74,7 @@ public function getLicenseType() /** * Sets the licenseType - * Edition Upgrade License Type. Possible values are: productKey, licenseFile. + * Edition Upgrade License Type. Possible values are: productKey, licenseFile, notConfigured. * * @param EditionUpgradeLicenseType $val The licenseType * @@ -117,7 +117,7 @@ public function setProductKey($val) /** * Gets the targetEdition - * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN. + * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN, notConfigured, windows10Home, windows10HomeChina, windows10HomeN, windows10HomeSingleLanguage, windows10Mobile, windows10IoTCore, windows10IoTCoreCommercial. * * @return Windows10EditionType|null The targetEdition */ @@ -136,7 +136,7 @@ public function getTargetEdition() /** * Sets the targetEdition - * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN. + * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN, notConfigured, windows10Home, windows10HomeChina, windows10HomeN, windows10HomeSingleLanguage, windows10Mobile, windows10IoTCore, windows10IoTCoreCommercial. * * @param Windows10EditionType $val The targetEdition * diff --git a/src/Beta/Microsoft/Graph/Model/EducationClass.php b/src/Beta/Microsoft/Graph/Model/EducationClass.php index 4191155f2ee..23fc3b62f4e 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationClass.php +++ b/src/Beta/Microsoft/Graph/Model/EducationClass.php @@ -237,7 +237,7 @@ public function setExternalName($val) /** * Gets the externalSource - * How this class was created. The possible values are: sis, manual, unknownFutureValue. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -256,7 +256,7 @@ public function getExternalSource() /** * Sets the externalSource - * How this class was created. The possible values are: sis, manual, unknownFutureValue. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -357,7 +357,7 @@ public function setMailNickname($val) /** * Gets the term - * Term for this class. + * Term for the class. * * @return EducationTerm|null The term */ @@ -376,7 +376,7 @@ public function getTerm() /** * Sets the term - * Term for this class. + * Term for the class. * * @param EducationTerm $val The term * @@ -510,7 +510,7 @@ public function setAssignmentSettings($val) /** * Gets the group - * The directory group corresponding to this class. + * The underlying Microsoft 365 group object. * * @return Group|null The group */ @@ -529,7 +529,7 @@ public function getGroup() /** * Sets the group - * The directory group corresponding to this class. + * The underlying Microsoft 365 group object. * * @param Group $val The group * diff --git a/src/Beta/Microsoft/Graph/Model/EducationOrganization.php b/src/Beta/Microsoft/Graph/Model/EducationOrganization.php index f5871221ed9..2b005500d65 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationOrganization.php +++ b/src/Beta/Microsoft/Graph/Model/EducationOrganization.php @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the externalSource - * Source where this organization was created from. The possible values are: sis, manual, unknownFutureValue. + * Where this user was created from. Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -103,7 +103,7 @@ public function getExternalSource() /** * Sets the externalSource - * Source where this organization was created from. The possible values are: sis, manual, unknownFutureValue. + * Where this user was created from. Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -117,6 +117,7 @@ public function setExternalSource($val) /** * Gets the externalSourceDetail + * The name of the external source this resources was generated from. * * @return string|null The externalSourceDetail */ @@ -131,6 +132,7 @@ public function getExternalSourceDetail() /** * Sets the externalSourceDetail + * The name of the external source this resources was generated from. * * @param string $val The externalSourceDetail * diff --git a/src/Beta/Microsoft/Graph/Model/EducationRoot.php b/src/Beta/Microsoft/Graph/Model/EducationRoot.php index ce3480ef2f6..0e88c873fd8 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationRoot.php +++ b/src/Beta/Microsoft/Graph/Model/EducationRoot.php @@ -22,8 +22,39 @@ * @license https://opensource.org/licenses/MIT MIT License * @link https://graph.microsoft.com */ -class EducationRoot extends Entity +class EducationRoot implements \JsonSerializable { + /** + * The array of properties available + * to the model + * + * @var array(string => string) + */ + protected $_propDict; + + /** + * Construct a new EducationRoot + * + * @param array $propDict A list of properties to set + */ + function __construct($propDict = array()) + { + if (!is_array($propDict)) { + $propDict = array(); + } + $this->_propDict = $propDict; + } + + /** + * Gets the property dictionary of the EducationRoot + * + * @return array The list of properties + */ + public function getProperties() + { + return $this->_propDict; + } + /** * Gets the synchronizationProfiles @@ -55,7 +86,6 @@ public function setSynchronizationProfiles($val) /** * Gets the classes - * Read-only. Nullable. * * @return array|null The classes */ @@ -70,7 +100,6 @@ public function getClasses() /** * Sets the classes - * Read-only. Nullable. * * @param EducationClass $val The classes * @@ -84,7 +113,6 @@ public function setClasses($val) /** * Gets the me - * Read-only. Nullable. * * @return EducationUser|null The me */ @@ -103,7 +131,6 @@ public function getMe() /** * Sets the me - * Read-only. Nullable. * * @param EducationUser $val The me * @@ -118,7 +145,6 @@ public function setMe($val) /** * Gets the schools - * Read-only. Nullable. * * @return array|null The schools */ @@ -133,7 +159,6 @@ public function getSchools() /** * Sets the schools - * Read-only. Nullable. * * @param EducationSchool $val The schools * @@ -148,7 +173,6 @@ public function setSchools($val) /** * Gets the users - * Read-only. Nullable. * * @return array|null The users */ @@ -163,7 +187,6 @@ public function getUsers() /** * Sets the users - * Read-only. Nullable. * * @param EducationUser $val The users * @@ -175,4 +198,45 @@ public function setUsers($val) return $this; } + /** + * Gets the ODataType + * + * @return string The ODataType + */ + public function getODataType() + { + return $this->_propDict["@odata.type"]; + } + + /** + * Sets the ODataType + * + * @param string The ODataType + * + * @return Entity + */ + public function setODataType($val) + { + $this->_propDict["@odata.type"] = $val; + return $this; + } + + /** + * Serializes the object by property array + * Manually serialize DateTime into RFC3339 format + * + * @return array The list of properties + */ + public function jsonSerialize() + { + $serializableProperties = $this->getProperties(); + foreach ($serializableProperties as $property => $val) { + if (is_a($val, "\DateTime")) { + $serializableProperties[$property] = $val->format(\DateTime::RFC3339); + } else if (is_a($val, "\Microsoft\Graph\Core\Enum")) { + $serializableProperties[$property] = $val->value(); + } + } + return $serializableProperties; + } } diff --git a/src/Beta/Microsoft/Graph/Model/EducationSchool.php b/src/Beta/Microsoft/Graph/Model/EducationSchool.php index 5b837d3ab28..c19335d171a 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationSchool.php +++ b/src/Beta/Microsoft/Graph/Model/EducationSchool.php @@ -351,6 +351,7 @@ public function setSchoolNumber($val) /** * Gets the administrativeUnit + * The underlying administrativeUnit for this school. * * @return AdministrativeUnit|null The administrativeUnit */ @@ -369,6 +370,7 @@ public function getAdministrativeUnit() /** * Sets the administrativeUnit + * The underlying administrativeUnit for this school. * * @param AdministrativeUnit $val The administrativeUnit * diff --git a/src/Beta/Microsoft/Graph/Model/EducationStudent.php b/src/Beta/Microsoft/Graph/Model/EducationStudent.php index 5c34790ccae..e58a1798c4c 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationStudent.php +++ b/src/Beta/Microsoft/Graph/Model/EducationStudent.php @@ -87,7 +87,7 @@ public function setExternalId($val) /** * Gets the gender - * The possible values are: female, male, other, unknownFutureValue. + * Possible values are: female, male, other. * * @return EducationGender|null The gender */ @@ -106,7 +106,7 @@ public function getGender() /** * Sets the gender - * The possible values are: female, male, other, unknownFutureValue. + * Possible values are: female, male, other. * * @param EducationGender $val The value to assign to the gender * diff --git a/src/Beta/Microsoft/Graph/Model/EducationTeacher.php b/src/Beta/Microsoft/Graph/Model/EducationTeacher.php index 810f5a5ed26..ce2c6913032 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationTeacher.php +++ b/src/Beta/Microsoft/Graph/Model/EducationTeacher.php @@ -25,7 +25,7 @@ class EducationTeacher extends Entity { /** * Gets the externalId - * ID of the teacher in the source system. + * Id of the Teacher in external source system. * * @return string|null The externalId */ @@ -40,7 +40,7 @@ public function getExternalId() /** * Sets the externalId - * ID of the teacher in the source system. + * Id of the Teacher in external source system. * * @param string $val The value of the externalId * diff --git a/src/Beta/Microsoft/Graph/Model/EducationUser.php b/src/Beta/Microsoft/Graph/Model/EducationUser.php index 47988d5538d..b11e1ae1107 100644 --- a/src/Beta/Microsoft/Graph/Model/EducationUser.php +++ b/src/Beta/Microsoft/Graph/Model/EducationUser.php @@ -56,7 +56,7 @@ public function setRelatedContacts($val) /** * Gets the accountEnabled - * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports /$filter. * * @return bool|null The accountEnabled */ @@ -71,7 +71,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports /$filter. * * @param bool $val The accountEnabled * @@ -207,7 +207,7 @@ public function setCreatedBy($val) /** * Gets the department - * The name for the department in which the user works. Supports $filter. + * The name for the department in which the user works. Supports /$filter. * * @return string|null The department */ @@ -222,7 +222,7 @@ public function getDepartment() /** * Sets the department - * The name for the department in which the user works. Supports $filter. + * The name for the department in which the user works. Supports /$filter. * * @param string $val The department * @@ -236,7 +236,7 @@ public function setDepartment($val) /** * Gets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Supports $filter and $orderby. + * The name displayed in the address book for the user. Supports $filter and $orderby. * * @return string|null The displayName */ @@ -251,7 +251,7 @@ public function getDisplayName() /** * Sets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Supports $filter and $orderby. + * The name displayed in the address book for the user. Supports $filter and $orderby. * * @param string $val The displayName * @@ -265,7 +265,7 @@ public function setDisplayName($val) /** * Gets the externalSource - * Where this user was created from. The possible values are: sis, manual. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -284,7 +284,7 @@ public function getExternalSource() /** * Sets the externalSource - * Where this user was created from. The possible values are: sis, manual. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -327,7 +327,7 @@ public function setExternalSourceDetail($val) /** * Gets the givenName - * The given name (first name) of the user. Supports $filter. + * The given name (first name) of the user. Supports /$filter. * * @return string|null The givenName */ @@ -342,7 +342,7 @@ public function getGivenName() /** * Sets the givenName - * The given name (first name) of the user. Supports $filter. + * The given name (first name) of the user. Supports /$filter. * * @param string $val The givenName * @@ -356,7 +356,7 @@ public function setGivenName($val) /** * Gets the mail - * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports $filter. + * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports /$filter. * * @return string|null The mail */ @@ -371,7 +371,7 @@ public function getMail() /** * Sets the mail - * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports $filter. + * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports /$filter. * * @param string $val The mail * @@ -385,7 +385,7 @@ public function setMail($val) /** * Gets the mailingAddress - * Mail address of user. + * Mail address of user. Note: type and postOfficeBox are not supported for educationUser resources. * * @return PhysicalAddress|null The mailingAddress */ @@ -404,7 +404,7 @@ public function getMailingAddress() /** * Sets the mailingAddress - * Mail address of user. + * Mail address of user. Note: type and postOfficeBox are not supported for educationUser resources. * * @param PhysicalAddress $val The mailingAddress * @@ -418,7 +418,7 @@ public function setMailingAddress($val) /** * Gets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Supports /$filter. * * @return string|null The mailNickname */ @@ -433,7 +433,7 @@ public function getMailNickname() /** * Sets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Supports /$filter. * * @param string $val The mailNickname * @@ -565,7 +565,7 @@ public function setOnPremisesInfo($val) /** * Gets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two can be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. See standard [user] resource for additional details. * * @return string|null The passwordPolicies */ @@ -580,7 +580,7 @@ public function getPasswordPolicies() /** * Sets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two can be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. See standard [user] resource for additional details. * * @param string $val The passwordPolicies * @@ -594,7 +594,7 @@ public function setPasswordPolicies($val) /** * Gets the passwordProfile - * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. See standard [user] resource for additional details. * * @return PasswordProfile|null The passwordProfile */ @@ -613,7 +613,7 @@ public function getPasswordProfile() /** * Sets the passwordProfile - * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. See standard [user] resource for additional details. * * @param PasswordProfile $val The passwordProfile * @@ -656,7 +656,7 @@ public function setPreferredLanguage($val) /** * Gets the primaryRole - * Default role for a user. The user's role might be different in an individual class. The possible values are: student, teacher. Supports $filter. + * Default role for a user. The user's role might be different in an individual class. Possible values are: student, teacher, faculty. Supports /$filter. * * @return EducationUserRole|null The primaryRole */ @@ -675,7 +675,7 @@ public function getPrimaryRole() /** * Sets the primaryRole - * Default role for a user. The user's role might be different in an individual class. The possible values are: student, teacher. Supports $filter. + * Default role for a user. The user's role might be different in an individual class. Possible values are: student, teacher, faculty. Supports /$filter. * * @param EducationUserRole $val The primaryRole * @@ -750,7 +750,7 @@ public function setRefreshTokensValidFromDateTime($val) /** * Gets the residenceAddress - * Address where user lives. + * Address where user lives. Note: type and postOfficeBox are not supported for educationUser resources. * * @return PhysicalAddress|null The residenceAddress */ @@ -769,7 +769,7 @@ public function getResidenceAddress() /** * Sets the residenceAddress - * Address where user lives. + * Address where user lives. Note: type and postOfficeBox are not supported for educationUser resources. * * @param PhysicalAddress $val The residenceAddress * @@ -783,6 +783,7 @@ public function setResidenceAddress($val) /** * Gets the showInAddressList + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. * * @return bool|null The showInAddressList */ @@ -797,6 +798,7 @@ public function getShowInAddressList() /** * Sets the showInAddressList + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. * * @param bool $val The showInAddressList * @@ -843,7 +845,7 @@ public function setStudent($val) /** * Gets the surname - * The user's surname (family name or last name). Supports $filter. + * The user's surname (family name or last name). Supports /$filter. * * @return string|null The surname */ @@ -858,7 +860,7 @@ public function getSurname() /** * Sets the surname - * The user's surname (family name or last name). Supports $filter. + * The user's surname (family name or last name). Supports /$filter. * * @param string $val The surname * @@ -905,7 +907,7 @@ public function setTeacher($val) /** * Gets the usageLocation - * A two-letter country code (ISO standard 3166). Required for users who will be assigned licenses due to a legal requirement to check for availability of services in countries or regions. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two-letter country code ([ISO 3166 Alpha-2]). Required for users who will be assigned licenses. Not nullable. Supports /$filter. * * @return string|null The usageLocation */ @@ -920,7 +922,7 @@ public function getUsageLocation() /** * Sets the usageLocation - * A two-letter country code (ISO standard 3166). Required for users who will be assigned licenses due to a legal requirement to check for availability of services in countries or regions. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two-letter country code ([ISO 3166 Alpha-2]). Required for users who will be assigned licenses. Not nullable. Supports /$filter. * * @param string $val The usageLocation * @@ -934,7 +936,7 @@ public function setUsageLocation($val) /** * Gets the userPrincipalName - * The user principal name (UPN) of the user. The UPN is an Internet-style login name for the user based on the Internet standard RFC 822. By convention, this should map to the user's email name. The general format is alias@domain, where domain must be present in the tenant's collection of verified domains. This property is required when a user is created. The verified domains for the tenant can be accessed from the verifiedDomains property of organization. Supports $filter and $orderby. + * The user principal name (UPN) for the user. Supports $filter and $orderby. See standard [user] resource for additional details. * * @return string|null The userPrincipalName */ @@ -949,7 +951,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * The user principal name (UPN) of the user. The UPN is an Internet-style login name for the user based on the Internet standard RFC 822. By convention, this should map to the user's email name. The general format is alias@domain, where domain must be present in the tenant's collection of verified domains. This property is required when a user is created. The verified domains for the tenant can be accessed from the verifiedDomains property of organization. Supports $filter and $orderby. + * The user principal name (UPN) for the user. Supports $filter and $orderby. See standard [user] resource for additional details. * * @param string $val The userPrincipalName * @@ -963,7 +965,7 @@ public function setUserPrincipalName($val) /** * Gets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports /$filter. * * @return string|null The userType */ @@ -978,7 +980,7 @@ public function getUserType() /** * Sets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports /$filter. * * @param string $val The userType * diff --git a/src/Beta/Microsoft/Graph/Model/EmailAddress.php b/src/Beta/Microsoft/Graph/Model/EmailAddress.php index 8e9903fce42..6c1129cb5e6 100644 --- a/src/Beta/Microsoft/Graph/Model/EmailAddress.php +++ b/src/Beta/Microsoft/Graph/Model/EmailAddress.php @@ -25,7 +25,7 @@ class EmailAddress extends Entity { /** * Gets the address - * The email address of the person or entity. + * The email address of an entity instance. * * @return string|null The address */ @@ -40,7 +40,7 @@ public function getAddress() /** * Sets the address - * The email address of the person or entity. + * The email address of an entity instance. * * @param string $val The value of the address * @@ -53,7 +53,7 @@ public function setAddress($val) } /** * Gets the name - * The display name of the person or entity. + * The display name of an entity instance. * * @return string|null The name */ @@ -68,7 +68,7 @@ public function getName() /** * Sets the name - * The display name of the person or entity. + * The display name of an entity instance. * * @param string $val The value of the name * diff --git a/src/Beta/Microsoft/Graph/Model/EmailAuthenticationMethodConfiguration.php b/src/Beta/Microsoft/Graph/Model/EmailAuthenticationMethodConfiguration.php index 85b44805cf8..8852bbc0ea0 100644 --- a/src/Beta/Microsoft/Graph/Model/EmailAuthenticationMethodConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/EmailAuthenticationMethodConfiguration.php @@ -26,7 +26,7 @@ class EmailAuthenticationMethodConfiguration extends AuthenticationMethodConfigu { /** * Gets the allowExternalIdToUseEmailOtp - * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in March 2021. + * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in October 2021. * * @return ExternalEmailOtpState|null The allowExternalIdToUseEmailOtp */ @@ -45,7 +45,7 @@ public function getAllowExternalIdToUseEmailOtp() /** * Sets the allowExternalIdToUseEmailOtp - * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in March 2021. + * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in October 2021. * * @param ExternalEmailOtpState $val The allowExternalIdToUseEmailOtp * diff --git a/src/Beta/Microsoft/Graph/Model/EnrollmentConfigurationAssignment.php b/src/Beta/Microsoft/Graph/Model/EnrollmentConfigurationAssignment.php index b4a58e84760..d8b786ffb1d 100644 --- a/src/Beta/Microsoft/Graph/Model/EnrollmentConfigurationAssignment.php +++ b/src/Beta/Microsoft/Graph/Model/EnrollmentConfigurationAssignment.php @@ -88,7 +88,7 @@ public function setSourceId($val) /** * Gets the target - * Not yet documented + * Represents an assignment to managed devices in the tenant * * @return DeviceAndAppManagementAssignmentTarget|null The target */ @@ -107,7 +107,7 @@ public function getTarget() /** * Sets the target - * Not yet documented + * Represents an assignment to managed devices in the tenant * * @param DeviceAndAppManagementAssignmentTarget $val The target * diff --git a/src/Beta/Microsoft/Graph/Model/EnrollmentTroubleshootingEvent.php b/src/Beta/Microsoft/Graph/Model/EnrollmentTroubleshootingEvent.php index 71fa580e2fb..332f628bac4 100644 --- a/src/Beta/Microsoft/Graph/Model/EnrollmentTroubleshootingEvent.php +++ b/src/Beta/Microsoft/Graph/Model/EnrollmentTroubleshootingEvent.php @@ -55,7 +55,7 @@ public function setDeviceId($val) /** * Gets the enrollmentType - * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @return DeviceEnrollmentType|null The enrollmentType */ @@ -74,7 +74,7 @@ public function getEnrollmentType() /** * Sets the enrollmentType - * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @param DeviceEnrollmentType $val The enrollmentType * diff --git a/src/Beta/Microsoft/Graph/Model/Event.php b/src/Beta/Microsoft/Graph/Model/Event.php index 4994d64ba44..86ea2b72b9a 100644 --- a/src/Beta/Microsoft/Graph/Model/Event.php +++ b/src/Beta/Microsoft/Graph/Model/Event.php @@ -1183,7 +1183,7 @@ public function setWebLink($val) /** * Gets the attachments - * The collection of fileAttachment and itemAttachment attachments for the event. Navigation property. Read-only. Nullable. + * The collection of FileAttachment, ItemAttachment, and referenceAttachment attachments for the event. Navigation property. Read-only. Nullable. * * @return array|null The attachments */ @@ -1198,7 +1198,7 @@ public function getAttachments() /** * Sets the attachments - * The collection of fileAttachment and itemAttachment attachments for the event. Navigation property. Read-only. Nullable. + * The collection of FileAttachment, ItemAttachment, and referenceAttachment attachments for the event. Navigation property. Read-only. Nullable. * * @param Attachment $val The attachments * @@ -1274,7 +1274,7 @@ public function setExceptionOccurrences($val) /** * Gets the extensions - * The collection of open extensions defined for the event. Read-only. Nullable. + * The collection of open extensions defined for the event. Nullable. * * @return array|null The extensions */ @@ -1289,7 +1289,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the event. Read-only. Nullable. + * The collection of open extensions defined for the event. Nullable. * * @param Extension $val The extensions * @@ -1304,7 +1304,7 @@ public function setExtensions($val) /** * Gets the instances - * The instances of the event. Navigation property. Read-only. Nullable. + * The occurrences of a recurring series, if the event is a series master. This property includes occurrences that are part of the recurrence pattern, and exceptions that have been modified, but does not include occurrences that have been cancelled from the series. Navigation property. Read-only. Nullable. * * @return array|null The instances */ @@ -1319,7 +1319,7 @@ public function getInstances() /** * Sets the instances - * The instances of the event. Navigation property. Read-only. Nullable. + * The occurrences of a recurring series, if the event is a series master. This property includes occurrences that are part of the recurrence pattern, and exceptions that have been modified, but does not include occurrences that have been cancelled from the series. Navigation property. Read-only. Nullable. * * @param Event $val The instances * diff --git a/src/Beta/Microsoft/Graph/Model/ExtensionSchemaProperty.php b/src/Beta/Microsoft/Graph/Model/ExtensionSchemaProperty.php index fd8a27781fb..25fa1c011d1 100644 --- a/src/Beta/Microsoft/Graph/Model/ExtensionSchemaProperty.php +++ b/src/Beta/Microsoft/Graph/Model/ExtensionSchemaProperty.php @@ -25,7 +25,7 @@ class ExtensionSchemaProperty extends Entity { /** * Gets the name - * The name of the strongly-typed property defined as part of a schema extension. + * The name of the strongly typed property defined as part of a schema extension. * * @return string|null The name */ @@ -40,7 +40,7 @@ public function getName() /** * Sets the name - * The name of the strongly-typed property defined as part of a schema extension. + * The name of the strongly typed property defined as part of a schema extension. * * @param string $val The value of the name * diff --git a/src/Beta/Microsoft/Graph/Model/Fido2AuthenticationMethod.php b/src/Beta/Microsoft/Graph/Model/Fido2AuthenticationMethod.php index 8010feb2bc7..46ad0ef57a6 100644 --- a/src/Beta/Microsoft/Graph/Model/Fido2AuthenticationMethod.php +++ b/src/Beta/Microsoft/Graph/Model/Fido2AuthenticationMethod.php @@ -84,7 +84,7 @@ public function setAttestationCertificates($val) /** * Gets the attestationLevel - * The attestation level of this FIDO2 security key. Possible values are: attested, or notAttested. + * The attestation level of this FIDO2 security key. Possible values are: attested, notAttested, unknownFutureValue. * * @return AttestationLevel|null The attestationLevel */ @@ -103,7 +103,7 @@ public function getAttestationLevel() /** * Sets the attestationLevel - * The attestation level of this FIDO2 security key. Possible values are: attested, or notAttested. + * The attestation level of this FIDO2 security key. Possible values are: attested, notAttested, unknownFutureValue. * * @param AttestationLevel $val The attestationLevel * diff --git a/src/Beta/Microsoft/Graph/Model/FileEncryptionInfo.php b/src/Beta/Microsoft/Graph/Model/FileEncryptionInfo.php index 4e7fee3138c..a570ff52c73 100644 --- a/src/Beta/Microsoft/Graph/Model/FileEncryptionInfo.php +++ b/src/Beta/Microsoft/Graph/Model/FileEncryptionInfo.php @@ -218,7 +218,7 @@ public function setMacKey($val) } /** * Gets the profileIdentifier - * The profile identifier. + * The the profile identifier. * * @return string|null The profileIdentifier */ @@ -233,7 +233,7 @@ public function getProfileIdentifier() /** * Sets the profileIdentifier - * The profile identifier. + * The the profile identifier. * * @param string $val The value of the profileIdentifier * diff --git a/src/Beta/Microsoft/Graph/Model/GeoCoordinates.php b/src/Beta/Microsoft/Graph/Model/GeoCoordinates.php index 735e4ab046c..74e7ffc433e 100644 --- a/src/Beta/Microsoft/Graph/Model/GeoCoordinates.php +++ b/src/Beta/Microsoft/Graph/Model/GeoCoordinates.php @@ -53,7 +53,7 @@ public function setAltitude($val) } /** * Gets the latitude - * Optional. The latitude, in decimal, for the item. Read-only. + * Optional. The latitude, in decimal, for the item. Writable on OneDrive Personal. * * @return float|null The latitude */ @@ -68,7 +68,7 @@ public function getLatitude() /** * Sets the latitude - * Optional. The latitude, in decimal, for the item. Read-only. + * Optional. The latitude, in decimal, for the item. Writable on OneDrive Personal. * * @param float $val The value of the latitude * @@ -81,7 +81,7 @@ public function setLatitude($val) } /** * Gets the longitude - * Optional. The longitude, in decimal, for the item. Read-only. + * Optional. The longitude, in decimal, for the item. Writable on OneDrive Personal. * * @return float|null The longitude */ @@ -96,7 +96,7 @@ public function getLongitude() /** * Sets the longitude - * Optional. The longitude, in decimal, for the item. Read-only. + * Optional. The longitude, in decimal, for the item. Writable on OneDrive Personal. * * @param float $val The value of the longitude * diff --git a/src/Beta/Microsoft/Graph/Model/Group.php b/src/Beta/Microsoft/Graph/Model/Group.php index 205e9c9a968..f0a82609ebc 100644 --- a/src/Beta/Microsoft/Graph/Model/Group.php +++ b/src/Beta/Microsoft/Graph/Model/Group.php @@ -27,7 +27,7 @@ class Group extends DirectoryObject /** * Gets the assignedLabels - * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. Read-only. + * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. * * @return array|null The assignedLabels */ @@ -42,7 +42,7 @@ public function getAssignedLabels() /** * Sets the assignedLabels - * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. Read-only. + * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. * * @param AssignedLabel $val The assignedLabels * @@ -297,7 +297,7 @@ public function setGroupTypes($val) /** * Gets the hasMembersWithLicenseErrors - * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). See an example. + * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). * * @return bool|null The hasMembersWithLicenseErrors */ @@ -312,7 +312,7 @@ public function getHasMembersWithLicenseErrors() /** * Sets the hasMembersWithLicenseErrors - * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). See an example. + * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). * * @param bool $val The hasMembersWithLicenseErrors * @@ -384,7 +384,7 @@ public function setIsAssignableToRole($val) /** * Gets the licenseProcessingState - * Indicates status of the group license assignment to all members of the group. Default value is false. Read-only. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete.Returned only on $select. Read-only. + * Indicates status of the group license assignment to all members of the group. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete. Returned only on $select. Read-only. * * @return LicenseProcessingState|null The licenseProcessingState */ @@ -403,7 +403,7 @@ public function getLicenseProcessingState() /** * Sets the licenseProcessingState - * Indicates status of the group license assignment to all members of the group. Default value is false. Read-only. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete.Returned only on $select. Read-only. + * Indicates status of the group license assignment to all members of the group. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete. Returned only on $select. Read-only. * * @param LicenseProcessingState $val The licenseProcessingState * @@ -855,7 +855,7 @@ public function setPreferredLanguage($val) /** * Gets the proxyAddresses - * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required to filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. + * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required for filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. * * @return string|null The proxyAddresses */ @@ -870,7 +870,7 @@ public function getProxyAddresses() /** * Sets the proxyAddresses - * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required to filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. + * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required for filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. * * @param string $val The proxyAddresses * @@ -1180,7 +1180,7 @@ public function setAutoSubscribeNewMembers($val) /** * Gets the hideFromAddressLists - * True if the group is not displayed in certain parts of the Outlook UI: the Address Book, address lists for selecting message recipients, and the Browse Groups dialog for searching groups; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in certain parts of the Outlook user interface: in the Address Book, in address lists for selecting message recipients, and in the Browse Groups dialog for searching groups; false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return bool|null The hideFromAddressLists */ @@ -1195,7 +1195,7 @@ public function getHideFromAddressLists() /** * Sets the hideFromAddressLists - * True if the group is not displayed in certain parts of the Outlook UI: the Address Book, address lists for selecting message recipients, and the Browse Groups dialog for searching groups; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in certain parts of the Outlook user interface: in the Address Book, in address lists for selecting message recipients, and in the Browse Groups dialog for searching groups; false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param bool $val The hideFromAddressLists * @@ -1209,7 +1209,7 @@ public function setHideFromAddressLists($val) /** * Gets the hideFromOutlookClients - * True if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web, false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return bool|null The hideFromOutlookClients */ @@ -1224,7 +1224,7 @@ public function getHideFromOutlookClients() /** * Sets the hideFromOutlookClients - * True if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web, false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param bool $val The hideFromOutlookClients * @@ -1323,7 +1323,7 @@ public function setUnseenConversationsCount($val) /** * Gets the unseenCount - * Count of conversations that have received new posts since the signed-in user last visited the group. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * Count of conversations that have received new posts since the signed-in user last visited the group. This property is the same as unseenConversationsCount.Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return int|null The unseenCount */ @@ -1338,7 +1338,7 @@ public function getUnseenCount() /** * Sets the unseenCount - * Count of conversations that have received new posts since the signed-in user last visited the group. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * Count of conversations that have received new posts since the signed-in user last visited the group. This property is the same as unseenConversationsCount.Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param int $val The unseenCount * @@ -1471,7 +1471,7 @@ public function setAppRoleAssignments($val) /** * Gets the createdOnBehalfOf - * The user (or application) that created the group. NOTE: This is not set if the user is an administrator. Read-only. + * The user (or application) that created the group. Note: This is not set if the user is an administrator. Read-only. * * @return DirectoryObject|null The createdOnBehalfOf */ @@ -1490,7 +1490,7 @@ public function getCreatedOnBehalfOf() /** * Sets the createdOnBehalfOf - * The user (or application) that created the group. NOTE: This is not set if the user is an administrator. Read-only. + * The user (or application) that created the group. Note: This is not set if the user is an administrator. Read-only. * * @param DirectoryObject $val The createdOnBehalfOf * @@ -1535,7 +1535,7 @@ public function setEndpoints($val) /** * Gets the memberOf - * Groups that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. + * Groups and administrative units that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. * * @return array|null The memberOf */ @@ -1550,7 +1550,7 @@ public function getMemberOf() /** * Sets the memberOf - * Groups that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. + * Groups and administrative units that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. * * @param DirectoryObject $val The memberOf * @@ -1565,7 +1565,7 @@ public function setMemberOf($val) /** * Gets the members - * Users and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * Users, contacts, and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @return array|null The members */ @@ -1580,7 +1580,7 @@ public function getMembers() /** * Sets the members - * Users and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * Users, contacts, and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @param DirectoryObject $val The members * @@ -1625,7 +1625,7 @@ public function setMembersWithLicenseErrors($val) /** * Gets the owners - * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. Limited to 100 owners. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @return array|null The owners */ @@ -1640,7 +1640,7 @@ public function getOwners() /** * Sets the owners - * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. Limited to 100 owners. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @param DirectoryObject $val The owners * @@ -1685,7 +1685,7 @@ public function setPermissionGrants($val) /** * Gets the settings - * Read-only. Nullable. + * Settings that can govern this group's behavior, like whether members can invite guest users to the group. Nullable. * * @return array|null The settings */ @@ -1700,7 +1700,7 @@ public function getSettings() /** * Sets the settings - * Read-only. Nullable. + * Settings that can govern this group's behavior, like whether members can invite guest users to the group. Nullable. * * @param DirectorySetting $val The settings * @@ -1894,7 +1894,7 @@ public function setConversations($val) /** * Gets the events - * The group's calendar events. + * The group's events. * * @return array|null The events */ @@ -1909,7 +1909,7 @@ public function getEvents() /** * Sets the events - * The group's calendar events. + * The group's events. * * @param Event $val The events * @@ -2136,7 +2136,7 @@ public function setGroupLifecyclePolicies($val) /** * Gets the planner - * Entry-point to Planner resource that might exist for a Unified Group. + * Selective Planner services available to the group. Read-only. Nullable. * * @return PlannerGroup|null The planner */ @@ -2155,7 +2155,7 @@ public function getPlanner() /** * Sets the planner - * Entry-point to Planner resource that might exist for a Unified Group. + * Selective Planner services available to the group. Read-only. Nullable. * * @param PlannerGroup $val The planner * @@ -2202,7 +2202,7 @@ public function setOnenote($val) /** * Gets the photo - * The group's profile photo + * The group's profile photo. * * @return ProfilePhoto|null The photo */ @@ -2221,7 +2221,7 @@ public function getPhoto() /** * Sets the photo - * The group's profile photo + * The group's profile photo. * * @param ProfilePhoto $val The photo * diff --git a/src/Beta/Microsoft/Graph/Model/Hashes.php b/src/Beta/Microsoft/Graph/Model/Hashes.php index cd253e6d149..07453186d88 100644 --- a/src/Beta/Microsoft/Graph/Model/Hashes.php +++ b/src/Beta/Microsoft/Graph/Model/Hashes.php @@ -25,7 +25,7 @@ class Hashes extends Entity { /** * Gets the crc32Hash - * The CRC32 value of the file in little endian (if available). Read-only. + * The CRC32 value of the file (if available). Read-only. * * @return string|null The crc32Hash */ @@ -40,7 +40,7 @@ public function getCrc32Hash() /** * Sets the crc32Hash - * The CRC32 value of the file in little endian (if available). Read-only. + * The CRC32 value of the file (if available). Read-only. * * @param string $val The value of the crc32Hash * diff --git a/src/Beta/Microsoft/Graph/Model/IPv6Range.php b/src/Beta/Microsoft/Graph/Model/IPv6Range.php index fb8c535f2d5..1b412cd6744 100644 --- a/src/Beta/Microsoft/Graph/Model/IPv6Range.php +++ b/src/Beta/Microsoft/Graph/Model/IPv6Range.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the lowerAddress - * Lower address + * Lower address. * * @return string|null The lowerAddress */ @@ -49,7 +49,7 @@ public function getLowerAddress() /** * Sets the lowerAddress - * Lower address + * Lower address. * * @param string $val The value of the lowerAddress * @@ -62,7 +62,7 @@ public function setLowerAddress($val) } /** * Gets the upperAddress - * Upper address + * Upper address. * * @return string|null The upperAddress */ @@ -77,7 +77,7 @@ public function getUpperAddress() /** * Sets the upperAddress - * Upper address + * Upper address. * * @param string $val The value of the upperAddress * diff --git a/src/Beta/Microsoft/Graph/Model/IdentityProvider.php b/src/Beta/Microsoft/Graph/Model/IdentityProvider.php index 8e23af4d55b..43b63e763af 100644 --- a/src/Beta/Microsoft/Graph/Model/IdentityProvider.php +++ b/src/Beta/Microsoft/Graph/Model/IdentityProvider.php @@ -26,7 +26,7 @@ class IdentityProvider extends Entity { /** * Gets the clientId - * The client ID for the application. This is the client ID obtained when registering the application with the identity provider. Required. Not nullable. + * The client ID for the application obtained when registering the application with the identity provider. This is a required field. Required. Not nullable. * * @return string|null The clientId */ @@ -41,7 +41,7 @@ public function getClientId() /** * Sets the clientId - * The client ID for the application. This is the client ID obtained when registering the application with the identity provider. Required. Not nullable. + * The client ID for the application obtained when registering the application with the identity provider. This is a required field. Required. Not nullable. * * @param string $val The clientId * @@ -55,7 +55,7 @@ public function setClientId($val) /** * Gets the clientSecret - * The client secret for the application. This is the client secret obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. Required. Not nullable. + * The client secret for the application obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. This is a required field. Required. Not nullable. * * @return string|null The clientSecret */ @@ -70,7 +70,7 @@ public function getClientSecret() /** * Sets the clientSecret - * The client secret for the application. This is the client secret obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. Required. Not nullable. + * The client secret for the application obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. This is a required field. Required. Not nullable. * * @param string $val The clientSecret * @@ -113,7 +113,7 @@ public function setName($val) /** * Gets the type - * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo, QQ, WeChat, OpenIDConnect. Not nullable. + * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo,QQ, WeChat, OpenIDConnect. Not nullable. * * @return string|null The type */ @@ -128,7 +128,7 @@ public function getType() /** * Sets the type - * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo, QQ, WeChat, OpenIDConnect. Not nullable. + * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo,QQ, WeChat, OpenIDConnect. Not nullable. * * @param string $val The type * diff --git a/src/Beta/Microsoft/Graph/Model/IncomingContext.php b/src/Beta/Microsoft/Graph/Model/IncomingContext.php index 063748d7d59..a5ee981eaf9 100644 --- a/src/Beta/Microsoft/Graph/Model/IncomingContext.php +++ b/src/Beta/Microsoft/Graph/Model/IncomingContext.php @@ -25,7 +25,7 @@ class IncomingContext extends Entity { /** * Gets the observedParticipantId - * The ID of the participant that is under observation. Read-only. + * The id of the participant that is under observation. Read-only. * * @return string|null The observedParticipantId */ @@ -40,7 +40,7 @@ public function getObservedParticipantId() /** * Sets the observedParticipantId - * The ID of the participant that is under observation. Read-only. + * The id of the participant that is under observation. Read-only. * * @param string $val The value of the observedParticipantId * @@ -86,7 +86,7 @@ public function setOnBehalfOf($val) } /** * Gets the sourceParticipantId - * The ID of the participant that triggered the incoming call. Read-only. + * The id of the participant that triggered the incoming call. Read-only. * * @return string|null The sourceParticipantId */ @@ -101,7 +101,7 @@ public function getSourceParticipantId() /** * Sets the sourceParticipantId - * The ID of the participant that triggered the incoming call. Read-only. + * The id of the participant that triggered the incoming call. Read-only. * * @param string $val The value of the sourceParticipantId * diff --git a/src/Beta/Microsoft/Graph/Model/InferenceClassificationOverride.php b/src/Beta/Microsoft/Graph/Model/InferenceClassificationOverride.php index 9420d0499f4..d5bb71b12cc 100644 --- a/src/Beta/Microsoft/Graph/Model/InferenceClassificationOverride.php +++ b/src/Beta/Microsoft/Graph/Model/InferenceClassificationOverride.php @@ -26,7 +26,7 @@ class InferenceClassificationOverride extends Entity { /** * Gets the classifyAs - * Specifies how incoming messages from a specific sender should always be classified as. The possible values are: focused, other. + * Specifies how incoming messages from a specific sender should always be classified as. Possible values are: focused, other. * * @return InferenceClassificationType|null The classifyAs */ @@ -45,7 +45,7 @@ public function getClassifyAs() /** * Sets the classifyAs - * Specifies how incoming messages from a specific sender should always be classified as. The possible values are: focused, other. + * Specifies how incoming messages from a specific sender should always be classified as. Possible values are: focused, other. * * @param InferenceClassificationType $val The classifyAs * diff --git a/src/Beta/Microsoft/Graph/Model/Initiator.php b/src/Beta/Microsoft/Graph/Model/Initiator.php index e974ab7dd52..0d45ea2e8b4 100644 --- a/src/Beta/Microsoft/Graph/Model/Initiator.php +++ b/src/Beta/Microsoft/Graph/Model/Initiator.php @@ -26,7 +26,7 @@ class Initiator extends Identity /** * Gets the initiatorType - * Type of initiator. Possible values are: user, app, system, unknownFutureValue. + * Type of initiator. Possible values are: user, application, system, unknownFutureValue. * * @return InitiatorType|null The initiatorType */ @@ -45,7 +45,7 @@ public function getInitiatorType() /** * Sets the initiatorType - * Type of initiator. Possible values are: user, app, system, unknownFutureValue. + * Type of initiator. Possible values are: user, application, system, unknownFutureValue. * * @param InitiatorType $val The value to assign to the initiatorType * diff --git a/src/Beta/Microsoft/Graph/Model/Invitation.php b/src/Beta/Microsoft/Graph/Model/Invitation.php index 370320b80b8..49eab1ec84a 100644 --- a/src/Beta/Microsoft/Graph/Model/Invitation.php +++ b/src/Beta/Microsoft/Graph/Model/Invitation.php @@ -55,7 +55,7 @@ public function setInvitedUserDisplayName($val) /** * Gets the invitedUserEmailAddress - * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (/|)Semicolon (;)Colon (:)Quotation marks (')Angle brackets (&lt; &gt;)Question mark (?)Comma (,)However, the following exceptions apply:A period (.) or a hyphen (-) is permitted anywhere in the user name, except at the beginning or end of the name.An underscore (_) is permitted anywhere in the user name. This includes at the beginning or end of the name. + * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)At sign (@)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Hyphen (-)Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (` * * @return string|null The invitedUserEmailAddress */ @@ -70,7 +70,7 @@ public function getInvitedUserEmailAddress() /** * Sets the invitedUserEmailAddress - * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (/|)Semicolon (;)Colon (:)Quotation marks (')Angle brackets (&lt; &gt;)Question mark (?)Comma (,)However, the following exceptions apply:A period (.) or a hyphen (-) is permitted anywhere in the user name, except at the beginning or end of the name.An underscore (_) is permitted anywhere in the user name. This includes at the beginning or end of the name. + * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)At sign (@)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Hyphen (-)Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (` * * @param string $val The invitedUserEmailAddress * @@ -117,7 +117,7 @@ public function setInvitedUserMessageInfo($val) /** * Gets the invitedUserType - * The userType of the user being invited. By default, this is Guest. You can invite as Member if you are a company administrator. + * The userType of the user being invited. By default, this is Guest. You can invite as Member if you're are company administrator. * * @return string|null The invitedUserType */ @@ -132,7 +132,7 @@ public function getInvitedUserType() /** * Sets the invitedUserType - * The userType of the user being invited. By default, this is Guest. You can invite as Member if you are a company administrator. + * The userType of the user being invited. By default, this is Guest. You can invite as Member if you're are company administrator. * * @param string $val The invitedUserType * @@ -146,7 +146,7 @@ public function setInvitedUserType($val) /** * Gets the inviteRedeemUrl - * The URL the user can use to redeem their invitation. Read-only + * The URL the user can use to redeem their invitation. Read-only. * * @return string|null The inviteRedeemUrl */ @@ -161,7 +161,7 @@ public function getInviteRedeemUrl() /** * Sets the inviteRedeemUrl - * The URL the user can use to redeem their invitation. Read-only + * The URL the user can use to redeem their invitation. Read-only. * * @param string $val The inviteRedeemUrl * @@ -175,7 +175,7 @@ public function setInviteRedeemUrl($val) /** * Gets the inviteRedirectUrl - * The URL the user should be redirected to once the invitation is redeemed. Required. + * The URL user should be redirected to once the invitation is redeemed. Required. * * @return string|null The inviteRedirectUrl */ @@ -190,7 +190,7 @@ public function getInviteRedirectUrl() /** * Sets the inviteRedirectUrl - * The URL the user should be redirected to once the invitation is redeemed. Required. + * The URL user should be redirected to once the invitation is redeemed. Required. * * @param string $val The inviteRedirectUrl * @@ -260,7 +260,7 @@ public function setSendInvitationMessage($val) /** * Gets the status - * The status of the invitation. Possible values are: PendingAcceptance, Completed, InProgress, and Error + * The status of the invitation. Possible values: PendingAcceptance, Completed, InProgress, and Error * * @return string|null The status */ @@ -275,7 +275,7 @@ public function getStatus() /** * Sets the status - * The status of the invitation. Possible values are: PendingAcceptance, Completed, InProgress, and Error + * The status of the invitation. Possible values: PendingAcceptance, Completed, InProgress, and Error * * @param string $val The status * diff --git a/src/Beta/Microsoft/Graph/Model/InvitationParticipantInfo.php b/src/Beta/Microsoft/Graph/Model/InvitationParticipantInfo.php index fe3376d0a09..e0dcead71ab 100644 --- a/src/Beta/Microsoft/Graph/Model/InvitationParticipantInfo.php +++ b/src/Beta/Microsoft/Graph/Model/InvitationParticipantInfo.php @@ -91,7 +91,7 @@ public function setIdentity($val) } /** * Gets the replacesCallId - * Optional. The call which the target identity is currently a part of. This call will be dropped once the participant is added. + * Optional. The call which the target idenity is currently a part of. This call will be dropped once the participant is added. * * @return string|null The replacesCallId */ @@ -106,7 +106,7 @@ public function getReplacesCallId() /** * Sets the replacesCallId - * Optional. The call which the target identity is currently a part of. This call will be dropped once the participant is added. + * Optional. The call which the target idenity is currently a part of. This call will be dropped once the participant is added. * * @param string $val The value of the replacesCallId * diff --git a/src/Beta/Microsoft/Graph/Model/IosCustomConfiguration.php b/src/Beta/Microsoft/Graph/Model/IosCustomConfiguration.php index 5ed395ca972..72ac2c361d0 100644 --- a/src/Beta/Microsoft/Graph/Model/IosCustomConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/IosCustomConfiguration.php @@ -59,7 +59,7 @@ public function setPayload($val) /** * Gets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @return string|null The payloadFileName */ @@ -74,7 +74,7 @@ public function getPayloadFileName() /** * Sets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @param string $val The payloadFileName * diff --git a/src/Beta/Microsoft/Graph/Model/IosGeneralDeviceConfiguration.php b/src/Beta/Microsoft/Graph/Model/IosGeneralDeviceConfiguration.php index d7ca2280f6f..5e93055e503 100644 --- a/src/Beta/Microsoft/Graph/Model/IosGeneralDeviceConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/IosGeneralDeviceConfiguration.php @@ -520,7 +520,7 @@ public function setAppStoreBlockAutomaticDownloads($val) /** * Gets the appStoreBlocked - * Indicates whether or not to block the user from using the App Store. + * Indicates whether or not to block the user from using the App Store. Requires a supervised device for iOS 13 and later. * * @return bool|null The appStoreBlocked */ @@ -535,7 +535,7 @@ public function getAppStoreBlocked() /** * Sets the appStoreBlocked - * Indicates whether or not to block the user from using the App Store. + * Indicates whether or not to block the user from using the App Store. Requires a supervised device for iOS 13 and later. * * @param bool $val The appStoreBlocked * @@ -786,7 +786,7 @@ public function setBluetoothBlockModification($val) /** * Gets the cameraBlocked - * Indicates whether or not to block the user from accessing the camera of the device. + * Indicates whether or not to block the user from accessing the camera of the device. Requires a supervised device for iOS 13 and later. * * @return bool|null The cameraBlocked */ @@ -801,7 +801,7 @@ public function getCameraBlocked() /** * Sets the cameraBlocked - * Indicates whether or not to block the user from accessing the camera of the device. + * Indicates whether or not to block the user from accessing the camera of the device. Requires a supervised device for iOS 13 and later. * * @param bool $val The cameraBlocked * @@ -1690,7 +1690,7 @@ public function setEnterpriseAppBlockTrust($val) /** * Gets the enterpriseAppBlockTrustModification - * Indicates whether or not to block the user from modifying the enterprise app trust settings. + * [Deprecated] Configuring this setting and setting the value to 'true' has no effect on the device. * * @return bool|null The enterpriseAppBlockTrustModification */ @@ -1705,7 +1705,7 @@ public function getEnterpriseAppBlockTrustModification() /** * Sets the enterpriseAppBlockTrustModification - * Indicates whether or not to block the user from modifying the enterprise app trust settings. + * [Deprecated] Configuring this setting and setting the value to 'true' has no effect on the device. * * @param bool $val The enterpriseAppBlockTrustModification * @@ -1806,7 +1806,7 @@ public function setEsimBlockModification($val) /** * Gets the faceTimeBlocked - * Indicates whether or not to block the user from using FaceTime. + * Indicates whether or not to block the user from using FaceTime. Requires a supervised device for iOS 13 and later. * * @return bool|null The faceTimeBlocked */ @@ -1821,7 +1821,7 @@ public function getFaceTimeBlocked() /** * Sets the faceTimeBlocked - * Indicates whether or not to block the user from using FaceTime. + * Indicates whether or not to block the user from using FaceTime. Requires a supervised device for iOS 13 and later. * * @param bool $val The faceTimeBlocked * @@ -1922,7 +1922,7 @@ public function setFindMyDeviceInFindMyAppBlocked($val) /** * Gets the findMyFriendsBlocked - * Indicates whether or not to block Find My Friends when the device is in supervised mode. + * Indicates whether or not to block changes to Find My Friends when the device is in supervised mode. * * @return bool|null The findMyFriendsBlocked */ @@ -1937,7 +1937,7 @@ public function getFindMyFriendsBlocked() /** * Sets the findMyFriendsBlocked - * Indicates whether or not to block Find My Friends when the device is in supervised mode. + * Indicates whether or not to block changes to Find My Friends when the device is in supervised mode. * * @param bool $val The findMyFriendsBlocked * @@ -2009,7 +2009,7 @@ public function setGameCenterBlocked($val) /** * Gets the gamingBlockGameCenterFriends - * Indicates whether or not to block the user from having friends in Game Center. + * Indicates whether or not to block the user from having friends in Game Center. Requires a supervised device for iOS 13 and later. * * @return bool|null The gamingBlockGameCenterFriends */ @@ -2024,7 +2024,7 @@ public function getGamingBlockGameCenterFriends() /** * Sets the gamingBlockGameCenterFriends - * Indicates whether or not to block the user from having friends in Game Center. + * Indicates whether or not to block the user from having friends in Game Center. Requires a supervised device for iOS 13 and later. * * @param bool $val The gamingBlockGameCenterFriends * @@ -2038,7 +2038,7 @@ public function setGamingBlockGameCenterFriends($val) /** * Gets the gamingBlockMultiplayer - * Indicates whether or not to block the user from using multiplayer gaming. + * Indicates whether or not to block the user from using multiplayer gaming. Requires a supervised device for iOS 13 and later. * * @return bool|null The gamingBlockMultiplayer */ @@ -2053,7 +2053,7 @@ public function getGamingBlockMultiplayer() /** * Sets the gamingBlockMultiplayer - * Indicates whether or not to block the user from using multiplayer gaming. + * Indicates whether or not to block the user from using multiplayer gaming. Requires a supervised device for iOS 13 and later. * * @param bool $val The gamingBlockMultiplayer * @@ -2183,7 +2183,7 @@ public function setICloudBlockActivityContinuation($val) /** * Gets the iCloudBlockBackup - * Indicates whether or not to block iCloud backup. + * Indicates whether or not to block iCloud backup. Requires a supervised device for iOS 13 and later. * * @return bool|null The iCloudBlockBackup */ @@ -2198,7 +2198,7 @@ public function getICloudBlockBackup() /** * Sets the iCloudBlockBackup - * Indicates whether or not to block iCloud backup. + * Indicates whether or not to block iCloud backup. Requires a supervised device for iOS 13 and later. * * @param bool $val The iCloudBlockBackup * @@ -2212,7 +2212,7 @@ public function setICloudBlockBackup($val) /** * Gets the iCloudBlockDocumentSync - * Indicates whether or not to block iCloud document sync. + * Indicates whether or not to block iCloud document sync. Requires a supervised device for iOS 13 and later. * * @return bool|null The iCloudBlockDocumentSync */ @@ -2227,7 +2227,7 @@ public function getICloudBlockDocumentSync() /** * Sets the iCloudBlockDocumentSync - * Indicates whether or not to block iCloud document sync. + * Indicates whether or not to block iCloud document sync. Requires a supervised device for iOS 13 and later. * * @param bool $val The iCloudBlockDocumentSync * @@ -2415,7 +2415,7 @@ public function setITunesBlocked($val) /** * Gets the iTunesBlockExplicitContent - * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. + * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. Requires a supervised device for iOS 13 and later. * * @return bool|null The iTunesBlockExplicitContent */ @@ -2430,7 +2430,7 @@ public function getITunesBlockExplicitContent() /** * Sets the iTunesBlockExplicitContent - * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. + * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. Requires a supervised device for iOS 13 and later. * * @param bool $val The iTunesBlockExplicitContent * @@ -2734,7 +2734,7 @@ public function setKioskModeAllowAssistiveTouchSettings($val) /** * Gets the kioskModeAllowAutoLock - * Indicates whether or not to allow device auto lock while in kiosk mode. + * Indicates whether or not to allow device auto lock while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockAutoLock instead. * * @return bool|null The kioskModeAllowAutoLock */ @@ -2749,7 +2749,7 @@ public function getKioskModeAllowAutoLock() /** * Sets the kioskModeAllowAutoLock - * Indicates whether or not to allow device auto lock while in kiosk mode. + * Indicates whether or not to allow device auto lock while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockAutoLock instead. * * @param bool $val The kioskModeAllowAutoLock * @@ -2792,7 +2792,7 @@ public function setKioskModeAllowColorInversionSettings($val) /** * Gets the kioskModeAllowRingerSwitch - * Indicates whether or not to allow use of the ringer switch while in kiosk mode. + * Indicates whether or not to allow use of the ringer switch while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockRingerSwitch instead. * * @return bool|null The kioskModeAllowRingerSwitch */ @@ -2807,7 +2807,7 @@ public function getKioskModeAllowRingerSwitch() /** * Sets the kioskModeAllowRingerSwitch - * Indicates whether or not to allow use of the ringer switch while in kiosk mode. + * Indicates whether or not to allow use of the ringer switch while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockRingerSwitch instead. * * @param bool $val The kioskModeAllowRingerSwitch * @@ -2821,7 +2821,7 @@ public function setKioskModeAllowRingerSwitch($val) /** * Gets the kioskModeAllowScreenRotation - * Indicates whether or not to allow screen rotation while in kiosk mode. + * Indicates whether or not to allow screen rotation while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockScreenRotation instead. * * @return bool|null The kioskModeAllowScreenRotation */ @@ -2836,7 +2836,7 @@ public function getKioskModeAllowScreenRotation() /** * Sets the kioskModeAllowScreenRotation - * Indicates whether or not to allow screen rotation while in kiosk mode. + * Indicates whether or not to allow screen rotation while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockScreenRotation instead. * * @param bool $val The kioskModeAllowScreenRotation * @@ -2850,7 +2850,7 @@ public function setKioskModeAllowScreenRotation($val) /** * Gets the kioskModeAllowSleepButton - * Indicates whether or not to allow use of the sleep button while in kiosk mode. + * Indicates whether or not to allow use of the sleep button while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockSleepButton instead. * * @return bool|null The kioskModeAllowSleepButton */ @@ -2865,7 +2865,7 @@ public function getKioskModeAllowSleepButton() /** * Sets the kioskModeAllowSleepButton - * Indicates whether or not to allow use of the sleep button while in kiosk mode. + * Indicates whether or not to allow use of the sleep button while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockSleepButton instead. * * @param bool $val The kioskModeAllowSleepButton * @@ -2879,7 +2879,7 @@ public function setKioskModeAllowSleepButton($val) /** * Gets the kioskModeAllowTouchscreen - * Indicates whether or not to allow use of the touchscreen while in kiosk mode. + * Indicates whether or not to allow use of the touchscreen while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockTouchscreen instead. * * @return bool|null The kioskModeAllowTouchscreen */ @@ -2894,7 +2894,7 @@ public function getKioskModeAllowTouchscreen() /** * Sets the kioskModeAllowTouchscreen - * Indicates whether or not to allow use of the touchscreen while in kiosk mode. + * Indicates whether or not to allow use of the touchscreen while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockTouchscreen instead. * * @param bool $val The kioskModeAllowTouchscreen * @@ -2966,7 +2966,7 @@ public function setKioskModeAllowVoiceOverSettings($val) /** * Gets the kioskModeAllowVolumeButtons - * Indicates whether or not to allow use of the volume buttons while in kiosk mode. + * Indicates whether or not to allow use of the volume buttons while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockVolumeButtons instead. * * @return bool|null The kioskModeAllowVolumeButtons */ @@ -2981,7 +2981,7 @@ public function getKioskModeAllowVolumeButtons() /** * Sets the kioskModeAllowVolumeButtons - * Indicates whether or not to allow use of the volume buttons while in kiosk mode. + * Indicates whether or not to allow use of the volume buttons while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockVolumeButtons instead. * * @param bool $val The kioskModeAllowVolumeButtons * @@ -4407,7 +4407,7 @@ public function setPasscodeRequiredType($val) /** * Gets the passcodeSignInFailureCountBeforeWipe - * Number of sign in failures allowed before wiping the device. Valid values 4 to 11 + * Number of sign in failures allowed before wiping the device. Valid values 2 to 11 * * @return int|null The passcodeSignInFailureCountBeforeWipe */ @@ -4422,7 +4422,7 @@ public function getPasscodeSignInFailureCountBeforeWipe() /** * Sets the passcodeSignInFailureCountBeforeWipe - * Number of sign in failures allowed before wiping the device. Valid values 4 to 11 + * Number of sign in failures allowed before wiping the device. Valid values 2 to 11 * * @param int $val The passcodeSignInFailureCountBeforeWipe * @@ -4639,7 +4639,7 @@ public function setProximityBlockSetupToNewDevice($val) /** * Gets the safariBlockAutofill - * Indicates whether or not to block the user from using Auto fill in Safari. + * Indicates whether or not to block the user from using Auto fill in Safari. Requires a supervised device for iOS 13 and later. * * @return bool|null The safariBlockAutofill */ @@ -4654,7 +4654,7 @@ public function getSafariBlockAutofill() /** * Sets the safariBlockAutofill - * Indicates whether or not to block the user from using Auto fill in Safari. + * Indicates whether or not to block the user from using Auto fill in Safari. Requires a supervised device for iOS 13 and later. * * @param bool $val The safariBlockAutofill * @@ -4668,7 +4668,7 @@ public function setSafariBlockAutofill($val) /** * Gets the safariBlocked - * Indicates whether or not to block the user from using Safari. + * Indicates whether or not to block the user from using Safari. Requires a supervised device for iOS 13 and later. * * @return bool|null The safariBlocked */ @@ -4683,7 +4683,7 @@ public function getSafariBlocked() /** * Sets the safariBlocked - * Indicates whether or not to block the user from using Safari. + * Indicates whether or not to block the user from using Safari. Requires a supervised device for iOS 13 and later. * * @param bool $val The safariBlocked * diff --git a/src/Beta/Microsoft/Graph/Model/IosHomeScreenApp.php b/src/Beta/Microsoft/Graph/Model/IosHomeScreenApp.php index 87e44181383..a69fa9ab710 100644 --- a/src/Beta/Microsoft/Graph/Model/IosHomeScreenApp.php +++ b/src/Beta/Microsoft/Graph/Model/IosHomeScreenApp.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the bundleID - * BundleID of app + * BundleID of the app if isWebClip is false or the URL of a web clip if isWebClip is true. * * @return string|null The bundleID */ @@ -49,7 +49,7 @@ public function getBundleID() /** * Sets the bundleID - * BundleID of app + * BundleID of the app if isWebClip is false or the URL of a web clip if isWebClip is true. * * @param string $val The value of the bundleID * diff --git a/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolder.php b/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolder.php index 739f17b1078..4ea4e9ff507 100644 --- a/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolder.php +++ b/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolder.php @@ -35,7 +35,7 @@ public function __construct() /** * Gets the pages - * Pages of Home Screen Layout Icons which must be Application Type. This collection can contain a maximum of 500 elements. + * Pages of Home Screen Layout Icons which must be applications or web clips. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenFolderPage|null The pages */ @@ -54,7 +54,7 @@ public function getPages() /** * Sets the pages - * Pages of Home Screen Layout Icons which must be Application Type. This collection can contain a maximum of 500 elements. + * Pages of Home Screen Layout Icons which must be applications or web clips. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenFolderPage $val The value to assign to the pages * diff --git a/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolderPage.php b/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolderPage.php index fe309d3c073..b64ceb731fc 100644 --- a/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolderPage.php +++ b/src/Beta/Microsoft/Graph/Model/IosHomeScreenFolderPage.php @@ -26,7 +26,7 @@ class IosHomeScreenFolderPage extends Entity /** * Gets the apps - * A list of apps to appear on a page within a folder. This collection can contain a maximum of 500 elements. + * A list of apps and web clips to appear on a page within a folder. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenApp|null The apps */ @@ -45,7 +45,7 @@ public function getApps() /** * Sets the apps - * A list of apps to appear on a page within a folder. This collection can contain a maximum of 500 elements. + * A list of apps and web clips to appear on a page within a folder. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenApp $val The value to assign to the apps * diff --git a/src/Beta/Microsoft/Graph/Model/IosHomeScreenPage.php b/src/Beta/Microsoft/Graph/Model/IosHomeScreenPage.php index f0148e075f3..ab8847c30d5 100644 --- a/src/Beta/Microsoft/Graph/Model/IosHomeScreenPage.php +++ b/src/Beta/Microsoft/Graph/Model/IosHomeScreenPage.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the icons - * A list of apps and folders to appear on a page. This collection can contain a maximum of 500 elements. + * A list of apps, folders, and web clips to appear on a page. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenItem|null The icons */ @@ -73,7 +73,7 @@ public function getIcons() /** * Sets the icons - * A list of apps and folders to appear on a page. This collection can contain a maximum of 500 elements. + * A list of apps, folders, and web clips to appear on a page. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenItem $val The value to assign to the icons * diff --git a/src/Beta/Microsoft/Graph/Model/IosManagedAppProtection.php b/src/Beta/Microsoft/Graph/Model/IosManagedAppProtection.php index ca0d0003cd1..55e2046ad63 100644 --- a/src/Beta/Microsoft/Graph/Model/IosManagedAppProtection.php +++ b/src/Beta/Microsoft/Graph/Model/IosManagedAppProtection.php @@ -121,7 +121,7 @@ public function setAppDataEncryptionType($val) /** * Gets the customBrowserProtocol - * A custom browser protocol to open weblink on iOS. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * A custom browser protocol to open weblink on iOS. * * @return string|null The customBrowserProtocol */ @@ -136,7 +136,7 @@ public function getCustomBrowserProtocol() /** * Sets the customBrowserProtocol - * A custom browser protocol to open weblink on iOS. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * A custom browser protocol to open weblink on iOS. * * @param string $val The customBrowserProtocol * diff --git a/src/Beta/Microsoft/Graph/Model/IosUpdateDeviceStatus.php b/src/Beta/Microsoft/Graph/Model/IosUpdateDeviceStatus.php index dae3cfd584e..365a0debf03 100644 --- a/src/Beta/Microsoft/Graph/Model/IosUpdateDeviceStatus.php +++ b/src/Beta/Microsoft/Graph/Model/IosUpdateDeviceStatus.php @@ -146,7 +146,7 @@ public function setDeviceModel($val) /** * Gets the installStatus - * The installation status of the policy report. Possible values are: success, available, idle, unknown, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError. + * The installation status of the policy report. Possible values are: success, available, idle, unknown, mdmClientCrashed, timeout, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError, updateError, deviceOsHigherThanDesiredOsVersion, updateScanFailed. * * @return IosUpdatesInstallStatus|null The installStatus */ @@ -165,7 +165,7 @@ public function getInstallStatus() /** * Sets the installStatus - * The installation status of the policy report. Possible values are: success, available, idle, unknown, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError. + * The installation status of the policy report. Possible values are: success, available, idle, unknown, mdmClientCrashed, timeout, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError, updateError, deviceOsHigherThanDesiredOsVersion, updateScanFailed. * * @param IosUpdatesInstallStatus $val The installStatus * diff --git a/src/Beta/Microsoft/Graph/Model/ItemAttachment.php b/src/Beta/Microsoft/Graph/Model/ItemAttachment.php index fdbf74b8b3e..4892cabf2d7 100644 --- a/src/Beta/Microsoft/Graph/Model/ItemAttachment.php +++ b/src/Beta/Microsoft/Graph/Model/ItemAttachment.php @@ -26,7 +26,7 @@ class ItemAttachment extends Attachment { /** * Gets the item - * The attached message or event. Navigation property. + * The attached contact, message or event. Navigation property. * * @return OutlookItem|null The item */ @@ -45,7 +45,7 @@ public function getItem() /** * Sets the item - * The attached message or event. Navigation property. + * The attached contact, message or event. Navigation property. * * @param OutlookItem $val The item * diff --git a/src/Beta/Microsoft/Graph/Model/KeyCredential.php b/src/Beta/Microsoft/Graph/Model/KeyCredential.php index 668e486b436..27ba32ada0a 100644 --- a/src/Beta/Microsoft/Graph/Model/KeyCredential.php +++ b/src/Beta/Microsoft/Graph/Model/KeyCredential.php @@ -120,7 +120,7 @@ public function setEndDateTime($val) /** * Gets the key - * The certificate's raw data in byte array converted to Base64 string; for example, [System.Convert]::ToBase64String($Cert.GetRawCertData()). + * Value for the key credential. Should be a base 64 encoded value. * * @return \GuzzleHttp\Psr7\Stream|null The key */ @@ -139,7 +139,7 @@ public function getKey() /** * Sets the key - * The certificate's raw data in byte array converted to Base64 string; for example, [System.Convert]::ToBase64String($Cert.GetRawCertData()). + * Value for the key credential. Should be a base 64 encoded value. * * @param \GuzzleHttp\Psr7\Stream $val The value to assign to the key * diff --git a/src/Beta/Microsoft/Graph/Model/KeyValue.php b/src/Beta/Microsoft/Graph/Model/KeyValue.php index ebaaee964fa..7dfa6735406 100644 --- a/src/Beta/Microsoft/Graph/Model/KeyValue.php +++ b/src/Beta/Microsoft/Graph/Model/KeyValue.php @@ -25,7 +25,7 @@ class KeyValue extends Entity { /** * Gets the key - * Key for the key-value pair. + * Contains the name of the field that a value is associated with. When a sign in or domain hint is included in the sign-in request, corresponding fields are included as key-value pairs. Possible keys: Login hint present, Domain hint present. * * @return string|null The key */ @@ -40,7 +40,7 @@ public function getKey() /** * Sets the key - * Key for the key-value pair. + * Contains the name of the field that a value is associated with. When a sign in or domain hint is included in the sign-in request, corresponding fields are included as key-value pairs. Possible keys: Login hint present, Domain hint present. * * @param string $val The value of the key * @@ -53,7 +53,7 @@ public function setKey($val) } /** * Gets the value - * Value for the key-value pair. + * Contains the corresponding value for the specified key. The value is true if a sign in hint was included in the sign-in request; otherwise false. The value is true if a domain hint was included in the sign-in request; otherwise false. * * @return string|null The value */ @@ -68,7 +68,7 @@ public function getValue() /** * Sets the value - * Value for the key-value pair. + * Contains the corresponding value for the specified key. The value is true if a sign in hint was included in the sign-in request; otherwise false. The value is true if a domain hint was included in the sign-in request; otherwise false. * * @param string $val The value of the value * diff --git a/src/Beta/Microsoft/Graph/Model/Location.php b/src/Beta/Microsoft/Graph/Model/Location.php index 29ac1c15243..b9a6481b062 100644 --- a/src/Beta/Microsoft/Graph/Model/Location.php +++ b/src/Beta/Microsoft/Graph/Model/Location.php @@ -148,7 +148,7 @@ public function setLocationEmailAddress($val) /** * Gets the locationType - * The type of location. The possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. + * The type of location. Possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. * * @return LocationType|null The locationType */ @@ -167,7 +167,7 @@ public function getLocationType() /** * Sets the locationType - * The type of location. The possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. + * The type of location. Possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. * * @param LocationType $val The value to assign to the locationType * diff --git a/src/Beta/Microsoft/Graph/Model/MacOSCustomConfiguration.php b/src/Beta/Microsoft/Graph/Model/MacOSCustomConfiguration.php index d2d06a08449..4e7e6be456d 100644 --- a/src/Beta/Microsoft/Graph/Model/MacOSCustomConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/MacOSCustomConfiguration.php @@ -59,7 +59,7 @@ public function setPayload($val) /** * Gets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @return string|null The payloadFileName */ @@ -74,7 +74,7 @@ public function getPayloadFileName() /** * Sets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @param string $val The payloadFileName * diff --git a/src/Beta/Microsoft/Graph/Model/MailboxSettings.php b/src/Beta/Microsoft/Graph/Model/MailboxSettings.php index 507a33cf42d..48e7cc779a1 100644 --- a/src/Beta/Microsoft/Graph/Model/MailboxSettings.php +++ b/src/Beta/Microsoft/Graph/Model/MailboxSettings.php @@ -25,7 +25,7 @@ class MailboxSettings extends Entity { /** * Gets the archiveFolder - * Folder ID of an archive folder for the user. + * Folder ID of an archive folder for the user. Read only. * * @return string|null The archiveFolder */ @@ -40,7 +40,7 @@ public function getArchiveFolder() /** * Sets the archiveFolder - * Folder ID of an archive folder for the user. + * Folder ID of an archive folder for the user. Read only. * * @param string $val The value of the archiveFolder * @@ -115,7 +115,7 @@ public function setDateFormat($val) /** * Gets the delegateMeetingMessageDeliveryOptions - * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. + * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. The default is sendToDelegateOnly. * * @return DelegateMeetingMessageDeliveryOptions|null The delegateMeetingMessageDeliveryOptions */ @@ -134,7 +134,7 @@ public function getDelegateMeetingMessageDeliveryOptions() /** * Sets the delegateMeetingMessageDeliveryOptions - * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. + * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. The default is sendToDelegateOnly. * * @param DelegateMeetingMessageDeliveryOptions $val The value to assign to the delegateMeetingMessageDeliveryOptions * diff --git a/src/Beta/Microsoft/Graph/Model/ManagedAppRegistration.php b/src/Beta/Microsoft/Graph/Model/ManagedAppRegistration.php index 7299283ac27..ff081611cab 100644 --- a/src/Beta/Microsoft/Graph/Model/ManagedAppRegistration.php +++ b/src/Beta/Microsoft/Graph/Model/ManagedAppRegistration.php @@ -504,7 +504,7 @@ public function setVersion($val) /** * Gets the appliedPolicies - * Zero or more policys already applied on the registered app when it last synchronized with management service. + * Zero or more policys already applied on the registered app when it last synchronized with managment service. * * @return array|null The appliedPolicies */ @@ -519,7 +519,7 @@ public function getAppliedPolicies() /** * Sets the appliedPolicies - * Zero or more policys already applied on the registered app when it last synchronized with management service. + * Zero or more policys already applied on the registered app when it last synchronized with managment service. * * @param ManagedAppPolicy $val The appliedPolicies * diff --git a/src/Beta/Microsoft/Graph/Model/ManagedDevice.php b/src/Beta/Microsoft/Graph/Model/ManagedDevice.php index 9e856b759ef..cc8bdc5d653 100644 --- a/src/Beta/Microsoft/Graph/Model/ManagedDevice.php +++ b/src/Beta/Microsoft/Graph/Model/ManagedDevice.php @@ -83,7 +83,7 @@ public function setAadRegistered($val) /** * Gets the activationLockBypassCode - * Code that allows the Activation Lock on a device to be bypassed. + * Code that allows the Activation Lock on a device to be bypassed. This property is read-only. * * @return string|null The activationLockBypassCode */ @@ -98,7 +98,7 @@ public function getActivationLockBypassCode() /** * Sets the activationLockBypassCode - * Code that allows the Activation Lock on a device to be bypassed. + * Code that allows the Activation Lock on a device to be bypassed. This property is read-only. * * @param string $val The activationLockBypassCode * @@ -112,7 +112,7 @@ public function setActivationLockBypassCode($val) /** * Gets the androidSecurityPatchLevel - * Android security patch level + * Android security patch level. This property is read-only. * * @return string|null The androidSecurityPatchLevel */ @@ -127,7 +127,7 @@ public function getAndroidSecurityPatchLevel() /** * Sets the androidSecurityPatchLevel - * Android security patch level + * Android security patch level. This property is read-only. * * @param string $val The androidSecurityPatchLevel * @@ -199,7 +199,7 @@ public function setAzureActiveDirectoryDeviceId($val) /** * Gets the azureADDeviceId - * The unique identifier for the Azure Active Directory device. Read only. + * The unique identifier for the Azure Active Directory device. Read only. This property is read-only. * * @return string|null The azureADDeviceId */ @@ -214,7 +214,7 @@ public function getAzureADDeviceId() /** * Sets the azureADDeviceId - * The unique identifier for the Azure Active Directory device. Read only. + * The unique identifier for the Azure Active Directory device. Read only. This property is read-only. * * @param string $val The azureADDeviceId * @@ -228,7 +228,7 @@ public function setAzureADDeviceId($val) /** * Gets the azureADRegistered - * Whether the device is Azure Active Directory registered. + * Whether the device is Azure Active Directory registered. This property is read-only. * * @return bool|null The azureADRegistered */ @@ -243,7 +243,7 @@ public function getAzureADRegistered() /** * Sets the azureADRegistered - * Whether the device is Azure Active Directory registered. + * Whether the device is Azure Active Directory registered. This property is read-only. * * @param bool $val The azureADRegistered * @@ -320,7 +320,7 @@ public function setChromeOSDeviceInfo($val) /** * Gets the complianceGracePeriodExpirationDateTime - * The DateTime when device compliance grace period expires + * The DateTime when device compliance grace period expires. This property is read-only. * * @return \DateTime|null The complianceGracePeriodExpirationDateTime */ @@ -339,7 +339,7 @@ public function getComplianceGracePeriodExpirationDateTime() /** * Sets the complianceGracePeriodExpirationDateTime - * The DateTime when device compliance grace period expires + * The DateTime when device compliance grace period expires. This property is read-only. * * @param \DateTime $val The complianceGracePeriodExpirationDateTime * @@ -353,7 +353,7 @@ public function setComplianceGracePeriodExpirationDateTime($val) /** * Gets the complianceState - * Compliance state of the device. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. + * Compliance state of the device. This property is read-only. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. * * @return ComplianceState|null The complianceState */ @@ -372,7 +372,7 @@ public function getComplianceState() /** * Sets the complianceState - * Compliance state of the device. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. + * Compliance state of the device. This property is read-only. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. * * @param ComplianceState $val The complianceState * @@ -386,7 +386,7 @@ public function setComplianceState($val) /** * Gets the configurationManagerClientEnabledFeatures - * ConfigrMgr client enabled features + * ConfigrMgr client enabled features. This property is read-only. * * @return ConfigurationManagerClientEnabledFeatures|null The configurationManagerClientEnabledFeatures */ @@ -405,7 +405,7 @@ public function getConfigurationManagerClientEnabledFeatures() /** * Sets the configurationManagerClientEnabledFeatures - * ConfigrMgr client enabled features + * ConfigrMgr client enabled features. This property is read-only. * * @param ConfigurationManagerClientEnabledFeatures $val The configurationManagerClientEnabledFeatures * @@ -486,7 +486,7 @@ public function setConfigurationManagerClientInformation($val) /** * Gets the deviceActionResults - * List of ComplexType deviceActionResult objects. + * List of ComplexType deviceActionResult objects. This property is read-only. * * @return array|null The deviceActionResults */ @@ -501,7 +501,7 @@ public function getDeviceActionResults() /** * Sets the deviceActionResults - * List of ComplexType deviceActionResult objects. + * List of ComplexType deviceActionResult objects. This property is read-only. * * @param DeviceActionResult $val The deviceActionResults * @@ -515,7 +515,7 @@ public function setDeviceActionResults($val) /** * Gets the deviceCategoryDisplayName - * Device category display name + * Device category display name. This property is read-only. * * @return string|null The deviceCategoryDisplayName */ @@ -530,7 +530,7 @@ public function getDeviceCategoryDisplayName() /** * Sets the deviceCategoryDisplayName - * Device category display name + * Device category display name. This property is read-only. * * @param string $val The deviceCategoryDisplayName * @@ -544,7 +544,7 @@ public function setDeviceCategoryDisplayName($val) /** * Gets the deviceEnrollmentType - * Enrollment type of the device. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Enrollment type of the device. This property is read-only. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @return DeviceEnrollmentType|null The deviceEnrollmentType */ @@ -563,7 +563,7 @@ public function getDeviceEnrollmentType() /** * Sets the deviceEnrollmentType - * Enrollment type of the device. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Enrollment type of the device. This property is read-only. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @param DeviceEnrollmentType $val The deviceEnrollmentType * @@ -577,7 +577,7 @@ public function setDeviceEnrollmentType($val) /** * Gets the deviceHealthAttestationState - * The device health attestation state. + * The device health attestation state. This property is read-only. * * @return DeviceHealthAttestationState|null The deviceHealthAttestationState */ @@ -596,7 +596,7 @@ public function getDeviceHealthAttestationState() /** * Sets the deviceHealthAttestationState - * The device health attestation state. + * The device health attestation state. This property is read-only. * * @param DeviceHealthAttestationState $val The deviceHealthAttestationState * @@ -610,7 +610,7 @@ public function setDeviceHealthAttestationState($val) /** * Gets the deviceName - * Name of the device + * Name of the device. This property is read-only. * * @return string|null The deviceName */ @@ -625,7 +625,7 @@ public function getDeviceName() /** * Sets the deviceName - * Name of the device + * Name of the device. This property is read-only. * * @param string $val The deviceName * @@ -639,7 +639,7 @@ public function setDeviceName($val) /** * Gets the deviceRegistrationState - * Device registration state. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. + * Device registration state. This property is read-only. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. * * @return DeviceRegistrationState|null The deviceRegistrationState */ @@ -658,7 +658,7 @@ public function getDeviceRegistrationState() /** * Sets the deviceRegistrationState - * Device registration state. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. + * Device registration state. This property is read-only. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. * * @param DeviceRegistrationState $val The deviceRegistrationState * @@ -705,7 +705,7 @@ public function setDeviceType($val) /** * Gets the easActivated - * Whether the device is Exchange ActiveSync activated. + * Whether the device is Exchange ActiveSync activated. This property is read-only. * * @return bool|null The easActivated */ @@ -720,7 +720,7 @@ public function getEasActivated() /** * Sets the easActivated - * Whether the device is Exchange ActiveSync activated. + * Whether the device is Exchange ActiveSync activated. This property is read-only. * * @param bool $val The easActivated * @@ -734,7 +734,7 @@ public function setEasActivated($val) /** * Gets the easActivationDateTime - * Exchange ActivationSync activation time of the device. + * Exchange ActivationSync activation time of the device. This property is read-only. * * @return \DateTime|null The easActivationDateTime */ @@ -753,7 +753,7 @@ public function getEasActivationDateTime() /** * Sets the easActivationDateTime - * Exchange ActivationSync activation time of the device. + * Exchange ActivationSync activation time of the device. This property is read-only. * * @param \DateTime $val The easActivationDateTime * @@ -767,7 +767,7 @@ public function setEasActivationDateTime($val) /** * Gets the easDeviceId - * Exchange ActiveSync Id of the device. + * Exchange ActiveSync Id of the device. This property is read-only. * * @return string|null The easDeviceId */ @@ -782,7 +782,7 @@ public function getEasDeviceId() /** * Sets the easDeviceId - * Exchange ActiveSync Id of the device. + * Exchange ActiveSync Id of the device. This property is read-only. * * @param string $val The easDeviceId * @@ -796,7 +796,7 @@ public function setEasDeviceId($val) /** * Gets the emailAddress - * Email(s) for the user associated with the device + * Email(s) for the user associated with the device. This property is read-only. * * @return string|null The emailAddress */ @@ -811,7 +811,7 @@ public function getEmailAddress() /** * Sets the emailAddress - * Email(s) for the user associated with the device + * Email(s) for the user associated with the device. This property is read-only. * * @param string $val The emailAddress * @@ -825,7 +825,7 @@ public function setEmailAddress($val) /** * Gets the enrolledDateTime - * Enrollment time of the device. + * Enrollment time of the device. This property is read-only. * * @return \DateTime|null The enrolledDateTime */ @@ -844,7 +844,7 @@ public function getEnrolledDateTime() /** * Sets the enrolledDateTime - * Enrollment time of the device. + * Enrollment time of the device. This property is read-only. * * @param \DateTime $val The enrolledDateTime * @@ -887,7 +887,7 @@ public function setEthernetMacAddress($val) /** * Gets the exchangeAccessState - * The Access State of the device in Exchange. Possible values are: none, unknown, allowed, blocked, quarantined. + * The Access State of the device in Exchange. This property is read-only. Possible values are: none, unknown, allowed, blocked, quarantined. * * @return DeviceManagementExchangeAccessState|null The exchangeAccessState */ @@ -906,7 +906,7 @@ public function getExchangeAccessState() /** * Sets the exchangeAccessState - * The Access State of the device in Exchange. Possible values are: none, unknown, allowed, blocked, quarantined. + * The Access State of the device in Exchange. This property is read-only. Possible values are: none, unknown, allowed, blocked, quarantined. * * @param DeviceManagementExchangeAccessState $val The exchangeAccessState * @@ -920,7 +920,7 @@ public function setExchangeAccessState($val) /** * Gets the exchangeAccessStateReason - * The reason for the device's access state in Exchange. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. + * The reason for the device's access state in Exchange. This property is read-only. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. * * @return DeviceManagementExchangeAccessStateReason|null The exchangeAccessStateReason */ @@ -939,7 +939,7 @@ public function getExchangeAccessStateReason() /** * Sets the exchangeAccessStateReason - * The reason for the device's access state in Exchange. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. + * The reason for the device's access state in Exchange. This property is read-only. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. * * @param DeviceManagementExchangeAccessStateReason $val The exchangeAccessStateReason * @@ -953,7 +953,7 @@ public function setExchangeAccessStateReason($val) /** * Gets the exchangeLastSuccessfulSyncDateTime - * Last time the device contacted Exchange. + * Last time the device contacted Exchange. This property is read-only. * * @return \DateTime|null The exchangeLastSuccessfulSyncDateTime */ @@ -972,7 +972,7 @@ public function getExchangeLastSuccessfulSyncDateTime() /** * Sets the exchangeLastSuccessfulSyncDateTime - * Last time the device contacted Exchange. + * Last time the device contacted Exchange. This property is read-only. * * @param \DateTime $val The exchangeLastSuccessfulSyncDateTime * @@ -986,7 +986,7 @@ public function setExchangeLastSuccessfulSyncDateTime($val) /** * Gets the freeStorageSpaceInBytes - * Free Storage in Bytes + * Free Storage in Bytes. This property is read-only. * * @return int|null The freeStorageSpaceInBytes */ @@ -1001,7 +1001,7 @@ public function getFreeStorageSpaceInBytes() /** * Sets the freeStorageSpaceInBytes - * Free Storage in Bytes + * Free Storage in Bytes. This property is read-only. * * @param int $val The freeStorageSpaceInBytes * @@ -1077,7 +1077,7 @@ public function setIccid($val) /** * Gets the imei - * IMEI + * IMEI. This property is read-only. * * @return string|null The imei */ @@ -1092,7 +1092,7 @@ public function getImei() /** * Sets the imei - * IMEI + * IMEI. This property is read-only. * * @param string $val The imei * @@ -1106,7 +1106,7 @@ public function setImei($val) /** * Gets the isEncrypted - * Device encryption status + * Device encryption status. This property is read-only. * * @return bool|null The isEncrypted */ @@ -1121,7 +1121,7 @@ public function getIsEncrypted() /** * Sets the isEncrypted - * Device encryption status + * Device encryption status. This property is read-only. * * @param bool $val The isEncrypted * @@ -1135,7 +1135,7 @@ public function setIsEncrypted($val) /** * Gets the isSupervised - * Device supervised status + * Device supervised status. This property is read-only. * * @return bool|null The isSupervised */ @@ -1150,7 +1150,7 @@ public function getIsSupervised() /** * Sets the isSupervised - * Device supervised status + * Device supervised status. This property is read-only. * * @param bool $val The isSupervised * @@ -1164,7 +1164,7 @@ public function setIsSupervised($val) /** * Gets the jailBroken - * whether the device is jail broken or rooted. + * whether the device is jail broken or rooted. This property is read-only. * * @return string|null The jailBroken */ @@ -1179,7 +1179,7 @@ public function getJailBroken() /** * Sets the jailBroken - * whether the device is jail broken or rooted. + * whether the device is jail broken or rooted. This property is read-only. * * @param string $val The jailBroken * @@ -1226,7 +1226,7 @@ public function setJoinType($val) /** * Gets the lastSyncDateTime - * The date and time that the device last completed a successful sync with Intune. + * The date and time that the device last completed a successful sync with Intune. This property is read-only. * * @return \DateTime|null The lastSyncDateTime */ @@ -1245,7 +1245,7 @@ public function getLastSyncDateTime() /** * Sets the lastSyncDateTime - * The date and time that the device last completed a successful sync with Intune. + * The date and time that the device last completed a successful sync with Intune. This property is read-only. * * @param \DateTime $val The lastSyncDateTime * @@ -1354,7 +1354,7 @@ public function setManagedDeviceOwnerType($val) /** * Gets the managementAgent - * Management channel of the device. Intune, EAS, etc. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController. + * Management channel of the device. Intune, EAS, etc. This property is read-only. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController, microsoft365ManagedMdm, msSense. * * @return ManagementAgentType|null The managementAgent */ @@ -1373,7 +1373,7 @@ public function getManagementAgent() /** * Sets the managementAgent - * Management channel of the device. Intune, EAS, etc. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController. + * Management channel of the device. Intune, EAS, etc. This property is read-only. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController, microsoft365ManagedMdm, msSense. * * @param ManagementAgentType $val The managementAgent * @@ -1486,7 +1486,7 @@ public function setManagementState($val) /** * Gets the manufacturer - * Manufacturer of the device + * Manufacturer of the device. This property is read-only. * * @return string|null The manufacturer */ @@ -1501,7 +1501,7 @@ public function getManufacturer() /** * Sets the manufacturer - * Manufacturer of the device + * Manufacturer of the device. This property is read-only. * * @param string $val The manufacturer * @@ -1515,7 +1515,7 @@ public function setManufacturer($val) /** * Gets the meid - * MEID + * MEID. This property is read-only. * * @return string|null The meid */ @@ -1530,7 +1530,7 @@ public function getMeid() /** * Sets the meid - * MEID + * MEID. This property is read-only. * * @param string $val The meid * @@ -1544,7 +1544,7 @@ public function setMeid($val) /** * Gets the model - * Model of the device + * Model of the device. This property is read-only. * * @return string|null The model */ @@ -1559,7 +1559,7 @@ public function getModel() /** * Sets the model - * Model of the device + * Model of the device. This property is read-only. * * @param string $val The model * @@ -1602,7 +1602,7 @@ public function setNotes($val) /** * Gets the operatingSystem - * Operating system of the device. Windows, iOS, etc. + * Operating system of the device. Windows, iOS, etc. This property is read-only. * * @return string|null The operatingSystem */ @@ -1617,7 +1617,7 @@ public function getOperatingSystem() /** * Sets the operatingSystem - * Operating system of the device. Windows, iOS, etc. + * Operating system of the device. Windows, iOS, etc. This property is read-only. * * @param string $val The operatingSystem * @@ -1631,7 +1631,7 @@ public function setOperatingSystem($val) /** * Gets the osVersion - * Operating system version of the device. + * Operating system version of the device. This property is read-only. * * @return string|null The osVersion */ @@ -1646,7 +1646,7 @@ public function getOsVersion() /** * Sets the osVersion - * Operating system version of the device. + * Operating system version of the device. This property is read-only. * * @param string $val The osVersion * @@ -1693,7 +1693,7 @@ public function setOwnerType($val) /** * Gets the partnerReportedThreatState - * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. + * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. This property is read-only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. * * @return ManagedDevicePartnerReportedHealthState|null The partnerReportedThreatState */ @@ -1712,7 +1712,7 @@ public function getPartnerReportedThreatState() /** * Sets the partnerReportedThreatState - * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. + * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. This property is read-only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. * * @param ManagedDevicePartnerReportedHealthState $val The partnerReportedThreatState * @@ -1726,7 +1726,7 @@ public function setPartnerReportedThreatState($val) /** * Gets the phoneNumber - * Phone number of the device + * Phone number of the device. This property is read-only. * * @return string|null The phoneNumber */ @@ -1741,7 +1741,7 @@ public function getPhoneNumber() /** * Sets the phoneNumber - * Phone number of the device + * Phone number of the device. This property is read-only. * * @param string $val The phoneNumber * @@ -1850,7 +1850,7 @@ public function setProcessorArchitecture($val) /** * Gets the remoteAssistanceSessionErrorDetails - * An error string that identifies issues when creating Remote Assistance session objects. + * An error string that identifies issues when creating Remote Assistance session objects. This property is read-only. * * @return string|null The remoteAssistanceSessionErrorDetails */ @@ -1865,7 +1865,7 @@ public function getRemoteAssistanceSessionErrorDetails() /** * Sets the remoteAssistanceSessionErrorDetails - * An error string that identifies issues when creating Remote Assistance session objects. + * An error string that identifies issues when creating Remote Assistance session objects. This property is read-only. * * @param string $val The remoteAssistanceSessionErrorDetails * @@ -1879,7 +1879,7 @@ public function setRemoteAssistanceSessionErrorDetails($val) /** * Gets the remoteAssistanceSessionUrl - * Url that allows a Remote Assistance session to be established with the device. + * Url that allows a Remote Assistance session to be established with the device. This property is read-only. * * @return string|null The remoteAssistanceSessionUrl */ @@ -1894,7 +1894,7 @@ public function getRemoteAssistanceSessionUrl() /** * Sets the remoteAssistanceSessionUrl - * Url that allows a Remote Assistance session to be established with the device. + * Url that allows a Remote Assistance session to be established with the device. This property is read-only. * * @param string $val The remoteAssistanceSessionUrl * @@ -1999,7 +1999,7 @@ public function setRoleScopeTagIds($val) /** * Gets the serialNumber - * SerialNumber + * SerialNumber. This property is read-only. * * @return string|null The serialNumber */ @@ -2014,7 +2014,7 @@ public function getSerialNumber() /** * Sets the serialNumber - * SerialNumber + * SerialNumber. This property is read-only. * * @param string $val The serialNumber * @@ -2115,7 +2115,7 @@ public function setSpecificationVersion($val) /** * Gets the subscriberCarrier - * Subscriber Carrier + * Subscriber Carrier. This property is read-only. * * @return string|null The subscriberCarrier */ @@ -2130,7 +2130,7 @@ public function getSubscriberCarrier() /** * Sets the subscriberCarrier - * Subscriber Carrier + * Subscriber Carrier. This property is read-only. * * @param string $val The subscriberCarrier * @@ -2144,7 +2144,7 @@ public function setSubscriberCarrier($val) /** * Gets the totalStorageSpaceInBytes - * Total Storage in Bytes + * Total Storage in Bytes. This property is read-only. * * @return int|null The totalStorageSpaceInBytes */ @@ -2159,7 +2159,7 @@ public function getTotalStorageSpaceInBytes() /** * Sets the totalStorageSpaceInBytes - * Total Storage in Bytes + * Total Storage in Bytes. This property is read-only. * * @param int $val The totalStorageSpaceInBytes * @@ -2202,7 +2202,7 @@ public function setUdid($val) /** * Gets the userDisplayName - * User display name + * User display name. This property is read-only. * * @return string|null The userDisplayName */ @@ -2217,7 +2217,7 @@ public function getUserDisplayName() /** * Sets the userDisplayName - * User display name + * User display name. This property is read-only. * * @param string $val The userDisplayName * @@ -2231,7 +2231,7 @@ public function setUserDisplayName($val) /** * Gets the userId - * Unique Identifier for the user associated with the device + * Unique Identifier for the user associated with the device. This property is read-only. * * @return string|null The userId */ @@ -2246,7 +2246,7 @@ public function getUserId() /** * Sets the userId - * Unique Identifier for the user associated with the device + * Unique Identifier for the user associated with the device. This property is read-only. * * @param string $val The userId * @@ -2260,7 +2260,7 @@ public function setUserId($val) /** * Gets the userPrincipalName - * Device user principal name + * Device user principal name. This property is read-only. * * @return string|null The userPrincipalName */ @@ -2275,7 +2275,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * Device user principal name + * Device user principal name. This property is read-only. * * @param string $val The userPrincipalName * @@ -2319,7 +2319,7 @@ public function setUsersLoggedOn($val) /** * Gets the wiFiMacAddress - * Wi-Fi MAC + * Wi-Fi MAC. This property is read-only. * * @return string|null The wiFiMacAddress */ @@ -2334,7 +2334,7 @@ public function getWiFiMacAddress() /** * Sets the wiFiMacAddress - * Wi-Fi MAC + * Wi-Fi MAC. This property is read-only. * * @param string $val The wiFiMacAddress * diff --git a/src/Beta/Microsoft/Graph/Model/MediaInfo.php b/src/Beta/Microsoft/Graph/Model/MediaInfo.php index 4be8803778a..a6249d9b782 100644 --- a/src/Beta/Microsoft/Graph/Model/MediaInfo.php +++ b/src/Beta/Microsoft/Graph/Model/MediaInfo.php @@ -25,7 +25,7 @@ class MediaInfo extends Entity { /** * Gets the resourceId - * Optional. Used to uniquely identity the resource. If passed in, the prompt uri will be cached against this resourceId as a key. + * Optional, used to uniquely identity the resource. If passed the prompt uri will be cached against this resourceId as key. * * @return string|null The resourceId */ @@ -40,7 +40,7 @@ public function getResourceId() /** * Sets the resourceId - * Optional. Used to uniquely identity the resource. If passed in, the prompt uri will be cached against this resourceId as a key. + * Optional, used to uniquely identity the resource. If passed the prompt uri will be cached against this resourceId as key. * * @param string $val The value of the resourceId * @@ -53,7 +53,7 @@ public function setResourceId($val) } /** * Gets the uri - * Path to the prompt that will be played. Currently supports only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate. + * Path to the prompt to be played. Currently only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate is only supported. * * @return string|null The uri */ @@ -68,7 +68,7 @@ public function getUri() /** * Sets the uri - * Path to the prompt that will be played. Currently supports only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate. + * Path to the prompt to be played. Currently only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate is only supported. * * @param string $val The value of the uri * diff --git a/src/Beta/Microsoft/Graph/Model/MediaPrompt.php b/src/Beta/Microsoft/Graph/Model/MediaPrompt.php index bca42533003..380dd9f4d0e 100644 --- a/src/Beta/Microsoft/Graph/Model/MediaPrompt.php +++ b/src/Beta/Microsoft/Graph/Model/MediaPrompt.php @@ -52,7 +52,7 @@ public function setLoop($val) /** * Gets the mediaInfo - * The media information + * The media information. * * @return MediaInfo|null The mediaInfo */ @@ -71,7 +71,7 @@ public function getMediaInfo() /** * Sets the mediaInfo - * The media information + * The media information. * * @param MediaInfo $val The value to assign to the mediaInfo * diff --git a/src/Beta/Microsoft/Graph/Model/MediaStream.php b/src/Beta/Microsoft/Graph/Model/MediaStream.php index 4898804dd0e..f25be1160ca 100644 --- a/src/Beta/Microsoft/Graph/Model/MediaStream.php +++ b/src/Beta/Microsoft/Graph/Model/MediaStream.php @@ -119,7 +119,7 @@ public function setMediaType($val) } /** * Gets the serverMuted - * If the media is muted by the server. + * Indicates whether the media is muted by the server. * * @return bool|null The serverMuted */ @@ -134,7 +134,7 @@ public function getServerMuted() /** * Sets the serverMuted - * If the media is muted by the server. + * Indicates whether the media is muted by the server. * * @param bool $val The value of the serverMuted * diff --git a/src/Beta/Microsoft/Graph/Model/MeetingParticipantInfo.php b/src/Beta/Microsoft/Graph/Model/MeetingParticipantInfo.php index 328fd2068af..f1a0729d5be 100644 --- a/src/Beta/Microsoft/Graph/Model/MeetingParticipantInfo.php +++ b/src/Beta/Microsoft/Graph/Model/MeetingParticipantInfo.php @@ -59,7 +59,7 @@ public function setIdentity($val) /** * Gets the role - * Specifies the participant's role in the meeting. Possible values are attendee, presenter, and unknownFutureValue. + * Specifies the participant's role in the meeting. Possible values are attendee, presenter, producer, and unknownFutureValue. * * @return OnlineMeetingRole|null The role */ @@ -78,7 +78,7 @@ public function getRole() /** * Sets the role - * Specifies the participant's role in the meeting. Possible values are attendee, presenter, and unknownFutureValue. + * Specifies the participant's role in the meeting. Possible values are attendee, presenter, producer, and unknownFutureValue. * * @param OnlineMeetingRole $val The value to assign to the role * diff --git a/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestion.php b/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestion.php index cbb8deb81ab..dc62b688471 100644 --- a/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestion.php +++ b/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestion.php @@ -181,7 +181,7 @@ public function setOrder($val) /** * Gets the organizerAvailability - * Availability of the meeting organizer for this meeting suggestion. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * Availability of the meeting organizer for this meeting suggestion. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @return FreeBusyStatus|null The organizerAvailability */ @@ -200,7 +200,7 @@ public function getOrganizerAvailability() /** * Sets the organizerAvailability - * Availability of the meeting organizer for this meeting suggestion. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * Availability of the meeting organizer for this meeting suggestion. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @param FreeBusyStatus $val The value to assign to the organizerAvailability * diff --git a/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestionsResult.php b/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestionsResult.php index 0c58f57f20c..9e6d2b55455 100644 --- a/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestionsResult.php +++ b/src/Beta/Microsoft/Graph/Model/MeetingTimeSuggestionsResult.php @@ -25,7 +25,7 @@ class MeetingTimeSuggestionsResult extends Entity { /** * Gets the emptySuggestionsReason - * A reason for not returning any meeting suggestions. The possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. + * A reason for not returning any meeting suggestions. Possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. * * @return string|null The emptySuggestionsReason */ @@ -40,7 +40,7 @@ public function getEmptySuggestionsReason() /** * Sets the emptySuggestionsReason - * A reason for not returning any meeting suggestions. The possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. + * A reason for not returning any meeting suggestions. Possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. * * @param string $val The value of the emptySuggestionsReason * diff --git a/src/Beta/Microsoft/Graph/Model/Message.php b/src/Beta/Microsoft/Graph/Model/Message.php index d1fe17696f6..b649dafae2a 100644 --- a/src/Beta/Microsoft/Graph/Model/Message.php +++ b/src/Beta/Microsoft/Graph/Model/Message.php @@ -89,7 +89,7 @@ public function setBody($val) /** * Gets the bodyPreview - * The first 255 characters of the message body. It is in text format. + * The first 255 characters of the message body. It is in text format. If the message contains instances of mention, this property would contain a concatenation of these mentions as well. * * @return string|null The bodyPreview */ @@ -104,7 +104,7 @@ public function getBodyPreview() /** * Sets the bodyPreview - * The first 255 characters of the message body. It is in text format. + * The first 255 characters of the message body. It is in text format. If the message contains instances of mention, this property would contain a concatenation of these mentions as well. * * @param string $val The bodyPreview * diff --git a/src/Beta/Microsoft/Graph/Model/MessageRuleActions.php b/src/Beta/Microsoft/Graph/Model/MessageRuleActions.php index 80dd9e8f47e..011aebf0641 100644 --- a/src/Beta/Microsoft/Graph/Model/MessageRuleActions.php +++ b/src/Beta/Microsoft/Graph/Model/MessageRuleActions.php @@ -293,7 +293,7 @@ public function setPermanentDelete($val) /** * Gets the redirectTo - * The email addresses to which a message should be redirected. + * The email address to which a message should be redirected. * * @return Recipient|null The redirectTo */ @@ -312,7 +312,7 @@ public function getRedirectTo() /** * Sets the redirectTo - * The email addresses to which a message should be redirected. + * The email address to which a message should be redirected. * * @param Recipient $val The value to assign to the redirectTo * diff --git a/src/Beta/Microsoft/Graph/Model/ModifiedProperty.php b/src/Beta/Microsoft/Graph/Model/ModifiedProperty.php index 6d1050441ea..ba9fec338ce 100644 --- a/src/Beta/Microsoft/Graph/Model/ModifiedProperty.php +++ b/src/Beta/Microsoft/Graph/Model/ModifiedProperty.php @@ -25,7 +25,7 @@ class ModifiedProperty extends Entity { /** * Gets the displayName - * Indicates the property name of the target attribute that was changed. + * Name of property that was modified. * * @return string|null The displayName */ @@ -40,7 +40,7 @@ public function getDisplayName() /** * Sets the displayName - * Indicates the property name of the target attribute that was changed. + * Name of property that was modified. * * @param string $val The value of the displayName * @@ -53,7 +53,7 @@ public function setDisplayName($val) } /** * Gets the newValue - * Indicates the updated value for the propery. + * New property value. * * @return string|null The newValue */ @@ -68,7 +68,7 @@ public function getNewValue() /** * Sets the newValue - * Indicates the updated value for the propery. + * New property value. * * @param string $val The value of the newValue * @@ -81,7 +81,7 @@ public function setNewValue($val) } /** * Gets the oldValue - * Indicates the previous value (before the update) for the property. + * Old property value. * * @return string|null The oldValue */ @@ -96,7 +96,7 @@ public function getOldValue() /** * Sets the oldValue - * Indicates the previous value (before the update) for the property. + * Old property value. * * @param string $val The value of the oldValue * diff --git a/src/Beta/Microsoft/Graph/Model/NetworkConnection.php b/src/Beta/Microsoft/Graph/Model/NetworkConnection.php index e7907e7e5de..65c5c529f02 100644 --- a/src/Beta/Microsoft/Graph/Model/NetworkConnection.php +++ b/src/Beta/Microsoft/Graph/Model/NetworkConnection.php @@ -25,7 +25,7 @@ class NetworkConnection extends Entity { /** * Gets the applicationName - * Name of the application managing the network connection (for example, Facebook or SMTP). + * Name of the application managing the network connection (for example, Facebook, SMTP, etc.). * * @return string|null The applicationName */ @@ -40,7 +40,7 @@ public function getApplicationName() /** * Sets the applicationName - * Name of the application managing the network connection (for example, Facebook or SMTP). + * Name of the application managing the network connection (for example, Facebook, SMTP, etc.). * * @param string $val The value of the applicationName * diff --git a/src/Beta/Microsoft/Graph/Model/NotificationMessageTemplate.php b/src/Beta/Microsoft/Graph/Model/NotificationMessageTemplate.php index c75f5292ed9..a93fec6899a 100644 --- a/src/Beta/Microsoft/Graph/Model/NotificationMessageTemplate.php +++ b/src/Beta/Microsoft/Graph/Model/NotificationMessageTemplate.php @@ -26,7 +26,7 @@ class NotificationMessageTemplate extends Entity { /** * Gets the brandingOptions - * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation. + * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation, includeCompanyPortalLink. * * @return NotificationTemplateBrandingOptions|null The brandingOptions */ @@ -45,7 +45,7 @@ public function getBrandingOptions() /** * Sets the brandingOptions - * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation. + * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation, includeCompanyPortalLink. * * @param NotificationTemplateBrandingOptions $val The brandingOptions * diff --git a/src/Beta/Microsoft/Graph/Model/OfferShiftRequest.php b/src/Beta/Microsoft/Graph/Model/OfferShiftRequest.php index c5bd8bf369f..34384139789 100644 --- a/src/Beta/Microsoft/Graph/Model/OfferShiftRequest.php +++ b/src/Beta/Microsoft/Graph/Model/OfferShiftRequest.php @@ -88,7 +88,7 @@ public function setRecipientActionMessage($val) /** * Gets the recipientUserId - * User ID of the recipient of the offer shift request. + * User id of the recipient of the offer shift request. * * @return string|null The recipientUserId */ @@ -103,7 +103,7 @@ public function getRecipientUserId() /** * Sets the recipientUserId - * User ID of the recipient of the offer shift request. + * User id of the recipient of the offer shift request. * * @param string $val The recipientUserId * @@ -117,7 +117,7 @@ public function setRecipientUserId($val) /** * Gets the senderShiftId - * User ID of the sender of the offer shift request. + * User id of the sender of the offer shift request. * * @return string|null The senderShiftId */ @@ -132,7 +132,7 @@ public function getSenderShiftId() /** * Sets the senderShiftId - * User ID of the sender of the offer shift request. + * User id of the sender of the offer shift request. * * @param string $val The senderShiftId * diff --git a/src/Beta/Microsoft/Graph/Model/OfficeGraphInsights.php b/src/Beta/Microsoft/Graph/Model/OfficeGraphInsights.php index 6c425c8d213..8aa82680dd5 100644 --- a/src/Beta/Microsoft/Graph/Model/OfficeGraphInsights.php +++ b/src/Beta/Microsoft/Graph/Model/OfficeGraphInsights.php @@ -27,7 +27,7 @@ class OfficeGraphInsights extends Entity /** * Gets the shared - * Calculated relationship identifying documents shared with or by the user. This includes URLs, file attachments, and reference attachments to OneDrive for Business and SharePoint files found in Outlook messages and meetings. This also includes URLs and reference attachments to Teams conversations. Ordered by recency of share. + * Access this property from the derived type itemInsights. * * @return array|null The shared */ @@ -42,7 +42,7 @@ public function getShared() /** * Sets the shared - * Calculated relationship identifying documents shared with or by the user. This includes URLs, file attachments, and reference attachments to OneDrive for Business and SharePoint files found in Outlook messages and meetings. This also includes URLs and reference attachments to Teams conversations. Ordered by recency of share. + * Access this property from the derived type itemInsights. * * @param SharedInsight $val The shared * @@ -57,7 +57,7 @@ public function setShared($val) /** * Gets the trending - * Calculated relationship identifying documents trending around a user. Trending documents are calculated based on activity of the user's closest network of people and include files stored in OneDrive for Business and SharePoint. Trending insights help the user to discover potentially useful content that the user has access to, but has never viewed before. + * Access this property from the derived type itemInsights. * * @return array|null The trending */ @@ -72,7 +72,7 @@ public function getTrending() /** * Sets the trending - * Calculated relationship identifying documents trending around a user. Trending documents are calculated based on activity of the user's closest network of people and include files stored in OneDrive for Business and SharePoint. Trending insights help the user to discover potentially useful content that the user has access to, but has never viewed before. + * Access this property from the derived type itemInsights. * * @param Trending $val The trending * @@ -87,7 +87,7 @@ public function setTrending($val) /** * Gets the used - * Calculated relationship identifying the latest documents viewed or modified by a user, including OneDrive for Business and SharePoint documents, ranked by recency of use. + * Access this property from the derived type itemInsights. * * @return array|null The used */ @@ -102,7 +102,7 @@ public function getUsed() /** * Sets the used - * Calculated relationship identifying the latest documents viewed or modified by a user, including OneDrive for Business and SharePoint documents, ranked by recency of use. + * Access this property from the derived type itemInsights. * * @param UsedInsight $val The used * diff --git a/src/Beta/Microsoft/Graph/Model/OmaSettingBase64.php b/src/Beta/Microsoft/Graph/Model/OmaSettingBase64.php index 40e5ce8995d..92ccb9a31b1 100644 --- a/src/Beta/Microsoft/Graph/Model/OmaSettingBase64.php +++ b/src/Beta/Microsoft/Graph/Model/OmaSettingBase64.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the fileName - * File name associated with the Value property (.cer | .crt | .p7b | .bin). + * File name associated with the Value property (.cer * * @return string|null The fileName */ @@ -49,7 +49,7 @@ public function getFileName() /** * Sets the fileName - * File name associated with the Value property (.cer | .crt | .p7b | .bin). + * File name associated with the Value property (.cer * * @param string $val The value of the fileName * diff --git a/src/Beta/Microsoft/Graph/Model/OnenotePatchContentCommand.php b/src/Beta/Microsoft/Graph/Model/OnenotePatchContentCommand.php index 93b5f9be9d1..19d99bad77c 100644 --- a/src/Beta/Microsoft/Graph/Model/OnenotePatchContentCommand.php +++ b/src/Beta/Microsoft/Graph/Model/OnenotePatchContentCommand.php @@ -26,7 +26,7 @@ class OnenotePatchContentCommand extends Entity /** * Gets the action - * The action to perform on the target element. The possible values are: replace, append, delete, insert, or prepend. + * The action to perform on the target element. Possible values are: replace, append, delete, insert, or prepend. * * @return OnenotePatchActionType|null The action */ @@ -45,7 +45,7 @@ public function getAction() /** * Sets the action - * The action to perform on the target element. The possible values are: replace, append, delete, insert, or prepend. + * The action to perform on the target element. Possible values are: replace, append, delete, insert, or prepend. * * @param OnenotePatchActionType $val The value to assign to the action * @@ -87,7 +87,7 @@ public function setContent($val) /** * Gets the position - * The location to add the supplied content, relative to the target element. The possible values are: after (default) or before. + * The location to add the supplied content, relative to the target element. Possible values are: after (default) or before. * * @return OnenotePatchInsertPosition|null The position */ @@ -106,7 +106,7 @@ public function getPosition() /** * Sets the position - * The location to add the supplied content, relative to the target element. The possible values are: after (default) or before. + * The location to add the supplied content, relative to the target element. Possible values are: after (default) or before. * * @param OnenotePatchInsertPosition $val The value to assign to the position * @@ -119,7 +119,7 @@ public function setPosition($val) } /** * Gets the target - * The element to update. Must be the #&lt;data-id&gt; or the generated &lt;id&gt; of the element, or the body or title keyword. + * The element to update. Must be the #&lt;data-id&gt; or the generated {id} of the element, or the body or title keyword. * * @return string|null The target */ @@ -134,7 +134,7 @@ public function getTarget() /** * Sets the target - * The element to update. Must be the #&lt;data-id&gt; or the generated &lt;id&gt; of the element, or the body or title keyword. + * The element to update. Must be the #&lt;data-id&gt; or the generated {id} of the element, or the body or title keyword. * * @param string $val The value of the target * diff --git a/src/Beta/Microsoft/Graph/Model/OnlineMeeting.php b/src/Beta/Microsoft/Graph/Model/OnlineMeeting.php index 7151641cf10..8fc3de836ab 100644 --- a/src/Beta/Microsoft/Graph/Model/OnlineMeeting.php +++ b/src/Beta/Microsoft/Graph/Model/OnlineMeeting.php @@ -57,7 +57,7 @@ public function setAccessLevel($val) /** * Gets the allowedPresenters - * Specifies who can be a presenter in a meeting. Possible values are listed in the following table. + * Specifies who can be a presenter in a meeting. Possible values are everyone, organization, roleIsPresenter, organizer, and unknownFutureValue. * * @return OnlineMeetingPresenters|null The allowedPresenters */ @@ -76,7 +76,7 @@ public function getAllowedPresenters() /** * Sets the allowedPresenters - * Specifies who can be a presenter in a meeting. Possible values are listed in the following table. + * Specifies who can be a presenter in a meeting. Possible values are everyone, organization, roleIsPresenter, organizer, and unknownFutureValue. * * @param OnlineMeetingPresenters $val The allowedPresenters * @@ -552,7 +552,7 @@ public function setIsEntryExitAnnounced($val) /** * Gets the joinInformation - * The join information in the language and locale variant specified in the Accept-Language request HTTP header. Read-only. + * The join information in the language and locale variant specified in 'Accept-Language' request HTTP header. Read-only * * @return ItemBody|null The joinInformation */ @@ -571,7 +571,7 @@ public function getJoinInformation() /** * Sets the joinInformation - * The join information in the language and locale variant specified in the Accept-Language request HTTP header. Read-only. + * The join information in the language and locale variant specified in 'Accept-Language' request HTTP header. Read-only * * @param ItemBody $val The joinInformation * @@ -612,7 +612,7 @@ public function setJoinUrl($val) /** * Gets the lobbyBypassSettings - * Specifies which participants can bypass the meeting lobby. + * Specifies which participants can bypass the meeting lobby. * * @return LobbyBypassSettings|null The lobbyBypassSettings */ @@ -631,7 +631,7 @@ public function getLobbyBypassSettings() /** * Sets the lobbyBypassSettings - * Specifies which participants can bypass the meeting lobby. + * Specifies which participants can bypass the meeting lobby. * * @param LobbyBypassSettings $val The lobbyBypassSettings * @@ -645,7 +645,7 @@ public function setLobbyBypassSettings($val) /** * Gets the participants - * The participants associated with the online meeting. This includes the organizer and the attendees. + * The participants associated with the online meeting. This includes the organizer and the attendees. * * @return MeetingParticipants|null The participants */ @@ -664,7 +664,7 @@ public function getParticipants() /** * Sets the participants - * The participants associated with the online meeting. This includes the organizer and the attendees. + * The participants associated with the online meeting. This includes the organizer and the attendees. * * @param MeetingParticipants $val The participants * diff --git a/src/Beta/Microsoft/Graph/Model/OpenTypeExtension.php b/src/Beta/Microsoft/Graph/Model/OpenTypeExtension.php index 352b1457de3..017a0700c2f 100644 --- a/src/Beta/Microsoft/Graph/Model/OpenTypeExtension.php +++ b/src/Beta/Microsoft/Graph/Model/OpenTypeExtension.php @@ -26,7 +26,7 @@ class OpenTypeExtension extends Extension { /** * Gets the extensionName - * A unique text identifier for an open type open extension. Required. + * A unique text identifier for an open type data extension. Required. * * @return string|null The extensionName */ @@ -41,7 +41,7 @@ public function getExtensionName() /** * Sets the extensionName - * A unique text identifier for an open type open extension. Required. + * A unique text identifier for an open type data extension. Required. * * @param string $val The extensionName * diff --git a/src/Beta/Microsoft/Graph/Model/Operation.php b/src/Beta/Microsoft/Graph/Model/Operation.php index 74b2ee1540c..e5635491022 100644 --- a/src/Beta/Microsoft/Graph/Model/Operation.php +++ b/src/Beta/Microsoft/Graph/Model/Operation.php @@ -92,7 +92,7 @@ public function setLastActionDateTime($val) /** * Gets the status - * The current status of the operation: notStarted, running, completed, failed + * Possible values are: notStarted, running, completed, failed. Read-only. * * @return OperationStatus|null The status */ @@ -111,7 +111,7 @@ public function getStatus() /** * Sets the status - * The current status of the operation: notStarted, running, completed, failed + * Possible values are: notStarted, running, completed, failed. Read-only. * * @param OperationStatus $val The status * diff --git a/src/Beta/Microsoft/Graph/Model/Organization.php b/src/Beta/Microsoft/Graph/Model/Organization.php index 71388f49fc6..e86daca979f 100644 --- a/src/Beta/Microsoft/Graph/Model/Organization.php +++ b/src/Beta/Microsoft/Graph/Model/Organization.php @@ -325,7 +325,7 @@ public function setMarketingNotificationEmails($val) /** * Gets the onPremisesLastSyncDateTime - * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @return \DateTime|null The onPremisesLastSyncDateTime */ @@ -344,7 +344,7 @@ public function getOnPremisesLastSyncDateTime() /** * Sets the onPremisesLastSyncDateTime - * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @param \DateTime $val The onPremisesLastSyncDateTime * @@ -358,7 +358,7 @@ public function setOnPremisesLastSyncDateTime($val) /** * Gets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced. Nullable. null if this object has never been synced from an on-premises directory (default). + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; Nullable. null if this object has never been synced from an on-premises directory (default). * * @return bool|null The onPremisesSyncEnabled */ @@ -373,7 +373,7 @@ public function getOnPremisesSyncEnabled() /** * Sets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced. Nullable. null if this object has never been synced from an on-premises directory (default). + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; Nullable. null if this object has never been synced from an on-premises directory (default). * * @param bool $val The onPremisesSyncEnabled * @@ -777,7 +777,7 @@ public function setBranding($val) /** * Gets the certificateBasedAuthConfiguration - * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. + * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. * * @return array|null The certificateBasedAuthConfiguration */ @@ -792,7 +792,7 @@ public function getCertificateBasedAuthConfiguration() /** * Sets the certificateBasedAuthConfiguration - * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. + * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. * * @param CertificateBasedAuthConfiguration $val The certificateBasedAuthConfiguration * @@ -807,7 +807,7 @@ public function setCertificateBasedAuthConfiguration($val) /** * Gets the extensions - * The collection of open extensions defined for the organization. Read-only. Nullable. + * The collection of open extensions defined for the organization resource. Nullable. * * @return array|null The extensions */ @@ -822,7 +822,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the organization. Read-only. Nullable. + * The collection of open extensions defined for the organization resource. Nullable. * * @param Extension $val The extensions * diff --git a/src/Beta/Microsoft/Graph/Model/Participant.php b/src/Beta/Microsoft/Graph/Model/Participant.php index 71f5cfb012e..100043a5c3c 100644 --- a/src/Beta/Microsoft/Graph/Model/Participant.php +++ b/src/Beta/Microsoft/Graph/Model/Participant.php @@ -176,7 +176,7 @@ public function setMetadata($val) /** * Gets the recordingInfo - * Information about whether the participant has recording capability. + * Information on whether the participant has recording capability. * * @return RecordingInfo|null The recordingInfo */ @@ -195,7 +195,7 @@ public function getRecordingInfo() /** * Sets the recordingInfo - * Information about whether the participant has recording capability. + * Information on whether the participant has recording capability. * * @param RecordingInfo $val The recordingInfo * diff --git a/src/Beta/Microsoft/Graph/Model/ParticipantInfo.php b/src/Beta/Microsoft/Graph/Model/ParticipantInfo.php index 314db79565f..5db22008e8d 100644 --- a/src/Beta/Microsoft/Graph/Model/ParticipantInfo.php +++ b/src/Beta/Microsoft/Graph/Model/ParticipantInfo.php @@ -175,7 +175,7 @@ public function setPlatformId($val) } /** * Gets the region - * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location. Read-only. + * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location, unlike countryCode. Read-only. * * @return string|null The region */ @@ -190,7 +190,7 @@ public function getRegion() /** * Sets the region - * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location. Read-only. + * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location, unlike countryCode. Read-only. * * @param string $val The value of the region * diff --git a/src/Beta/Microsoft/Graph/Model/PasswordProfile.php b/src/Beta/Microsoft/Graph/Model/PasswordProfile.php index ea04e624554..681a8be000a 100644 --- a/src/Beta/Microsoft/Graph/Model/PasswordProfile.php +++ b/src/Beta/Microsoft/Graph/Model/PasswordProfile.php @@ -25,7 +25,7 @@ class PasswordProfile extends Entity { /** * Gets the forceChangePasswordNextSignIn - * true if the user must change her password on the next login; otherwise false. + * If true, at next sign-in, the user must change their password. After a password change, this property will be automatically reset to false. If not set, default is false. * * @return bool|null The forceChangePasswordNextSignIn */ @@ -40,7 +40,7 @@ public function getForceChangePasswordNextSignIn() /** * Sets the forceChangePasswordNextSignIn - * true if the user must change her password on the next login; otherwise false. + * If true, at next sign-in, the user must change their password. After a password change, this property will be automatically reset to false. If not set, default is false. * * @param bool $val The value of the forceChangePasswordNextSignIn * diff --git a/src/Beta/Microsoft/Graph/Model/Permission.php b/src/Beta/Microsoft/Graph/Model/Permission.php index 3c76833d726..99c8a8628cd 100644 --- a/src/Beta/Microsoft/Graph/Model/Permission.php +++ b/src/Beta/Microsoft/Graph/Model/Permission.php @@ -279,7 +279,7 @@ public function setRoles($val) /** * Gets the shareId - * A unique token that can be used to access this shared item via the **shares** API. Read-only. + * A unique token that can be used to access this shared item via the [shares API][]. Read-only. * * @return string|null The shareId */ @@ -294,7 +294,7 @@ public function getShareId() /** * Sets the shareId - * A unique token that can be used to access this shared item via the **shares** API. Read-only. + * A unique token that can be used to access this shared item via the [shares API][]. Read-only. * * @param string $val The shareId * diff --git a/src/Beta/Microsoft/Graph/Model/PermissionGrantConditionSet.php b/src/Beta/Microsoft/Graph/Model/PermissionGrantConditionSet.php index cb7b7b53efd..710415a7c24 100644 --- a/src/Beta/Microsoft/Graph/Model/PermissionGrantConditionSet.php +++ b/src/Beta/Microsoft/Graph/Model/PermissionGrantConditionSet.php @@ -171,7 +171,7 @@ public function setPermissionClassification($val) /** * Gets the permissions - * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the oauth2PermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. + * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the publishedPermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. * * @return string|null The permissions */ @@ -186,7 +186,7 @@ public function getPermissions() /** * Sets the permissions - * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the oauth2PermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. + * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the publishedPermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. * * @param string $val The permissions * diff --git a/src/Beta/Microsoft/Graph/Model/Person.php b/src/Beta/Microsoft/Graph/Model/Person.php index 7ba09b255ef..26fea228456 100644 --- a/src/Beta/Microsoft/Graph/Model/Person.php +++ b/src/Beta/Microsoft/Graph/Model/Person.php @@ -317,7 +317,7 @@ public function setPersonNotes($val) /** * Gets the personType - * The type of person. + * The type of person, for example distribution list. * * @return string|null The personType */ @@ -332,7 +332,7 @@ public function getPersonType() /** * Sets the personType - * The type of person. + * The type of person, for example distribution list. * * @param string $val The personType * diff --git a/src/Beta/Microsoft/Graph/Model/Phone.php b/src/Beta/Microsoft/Graph/Model/Phone.php index be112465d34..c8b723ef4e1 100644 --- a/src/Beta/Microsoft/Graph/Model/Phone.php +++ b/src/Beta/Microsoft/Graph/Model/Phone.php @@ -54,7 +54,7 @@ public function setNumber($val) /** * Gets the type - * The type of phone number. The possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. + * The type of phone number. Possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. * * @return PhoneType|null The type */ @@ -73,7 +73,7 @@ public function getType() /** * Sets the type - * The type of phone number. The possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. + * The type of phone number. Possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. * * @param PhoneType $val The value to assign to the type * diff --git a/src/Beta/Microsoft/Graph/Model/Photo.php b/src/Beta/Microsoft/Graph/Model/Photo.php index 092ac83cf63..93afa21be4c 100644 --- a/src/Beta/Microsoft/Graph/Model/Photo.php +++ b/src/Beta/Microsoft/Graph/Model/Photo.php @@ -250,7 +250,7 @@ public function setOrientation($val) /** * Gets the takenDateTime - * Represents the date and time the photo was taken. Read-only. + * The date and time the photo was taken in UTC time. Read-only. * * @return \DateTime|null The takenDateTime */ @@ -269,7 +269,7 @@ public function getTakenDateTime() /** * Sets the takenDateTime - * Represents the date and time the photo was taken. Read-only. + * The date and time the photo was taken in UTC time. Read-only. * * @param \DateTime $val The value to assign to the takenDateTime * diff --git a/src/Beta/Microsoft/Graph/Model/Pkcs12Certificate.php b/src/Beta/Microsoft/Graph/Model/Pkcs12Certificate.php index 9273318a5b5..93b1d55f9c9 100644 --- a/src/Beta/Microsoft/Graph/Model/Pkcs12Certificate.php +++ b/src/Beta/Microsoft/Graph/Model/Pkcs12Certificate.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the password - * The password for the pfx file. Required. If no password is used, you must still provide a value of ''. + * This is the password for the pfx file. Required. If no password is used, must still provide a value of ''. * * @return string|null The password */ @@ -49,7 +49,7 @@ public function getPassword() /** * Sets the password - * The password for the pfx file. Required. If no password is used, you must still provide a value of ''. + * This is the password for the pfx file. Required. If no password is used, must still provide a value of ''. * * @param string $val The value of the password * @@ -62,7 +62,7 @@ public function setPassword($val) } /** * Gets the pkcs12Value - * Represents the pfx content that is sent. The value should be a base-64 encoded version of the actual certificate content. Required. + * This is the field for sending pfx content. The value should be a base-64 encoded version of the actual certificate content. Required. * * @return string|null The pkcs12Value */ @@ -77,7 +77,7 @@ public function getPkcs12Value() /** * Sets the pkcs12Value - * Represents the pfx content that is sent. The value should be a base-64 encoded version of the actual certificate content. Required. + * This is the field for sending pfx content. The value should be a base-64 encoded version of the actual certificate content. Required. * * @param string $val The value of the pkcs12Value * diff --git a/src/Beta/Microsoft/Graph/Model/PlannerPlan.php b/src/Beta/Microsoft/Graph/Model/PlannerPlan.php index a6db5614066..ab26fb55150 100644 --- a/src/Beta/Microsoft/Graph/Model/PlannerPlan.php +++ b/src/Beta/Microsoft/Graph/Model/PlannerPlan.php @@ -217,7 +217,7 @@ public function setTitle($val) /** * Gets the buckets - * Read-only. Nullable. Collection of buckets in the plan. + * Collection of buckets in the plan. Read-only. Nullable. * * @return array|null The buckets */ @@ -232,7 +232,7 @@ public function getBuckets() /** * Sets the buckets - * Read-only. Nullable. Collection of buckets in the plan. + * Collection of buckets in the plan. Read-only. Nullable. * * @param PlannerBucket $val The buckets * @@ -246,7 +246,7 @@ public function setBuckets($val) /** * Gets the details - * Read-only. Nullable. Additional details about the plan. + * Additional details about the plan. Read-only. Nullable. * * @return PlannerPlanDetails|null The details */ @@ -265,7 +265,7 @@ public function getDetails() /** * Sets the details - * Read-only. Nullable. Additional details about the plan. + * Additional details about the plan. Read-only. Nullable. * * @param PlannerPlanDetails $val The details * @@ -280,7 +280,7 @@ public function setDetails($val) /** * Gets the tasks - * Read-only. Nullable. Collection of tasks in the plan. + * Collection of tasks in the plan. Read-only. Nullable. * * @return array|null The tasks */ @@ -295,7 +295,7 @@ public function getTasks() /** * Sets the tasks - * Read-only. Nullable. Collection of tasks in the plan. + * Collection of tasks in the plan. Read-only. Nullable. * * @param PlannerTask $val The tasks * diff --git a/src/Beta/Microsoft/Graph/Model/PlannerPlanDetails.php b/src/Beta/Microsoft/Graph/Model/PlannerPlanDetails.php index 49db044782e..81061f6601c 100644 --- a/src/Beta/Microsoft/Graph/Model/PlannerPlanDetails.php +++ b/src/Beta/Microsoft/Graph/Model/PlannerPlanDetails.php @@ -26,7 +26,7 @@ class PlannerPlanDetails extends PlannerDelta { /** * Gets the categoryDescriptions - * An object that specifies the descriptions of the six categories that can be associated with tasks in the plan + * An object that specifies the descriptions of the 25 categories that can be associated with tasks in the plan * * @return PlannerCategoryDescriptions|null The categoryDescriptions */ @@ -45,7 +45,7 @@ public function getCategoryDescriptions() /** * Sets the categoryDescriptions - * An object that specifies the descriptions of the six categories that can be associated with tasks in the plan + * An object that specifies the descriptions of the 25 categories that can be associated with tasks in the plan * * @param PlannerCategoryDescriptions $val The categoryDescriptions * @@ -92,7 +92,7 @@ public function setContextDetails($val) /** * Gets the sharedWith - * Set of user ids that this plan is shared with. If you are leveraging Microsoft 365 groups, use the Groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection though it is not required for them to access the plan owned by the group. + * The set of user IDs that this plan is shared with. If you are using Microsoft 365 groups, use the groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection, although it is not required in order for them to access the plan owned by the group. * * @return PlannerUserIds|null The sharedWith */ @@ -111,7 +111,7 @@ public function getSharedWith() /** * Sets the sharedWith - * Set of user ids that this plan is shared with. If you are leveraging Microsoft 365 groups, use the Groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection though it is not required for them to access the plan owned by the group. + * The set of user IDs that this plan is shared with. If you are using Microsoft 365 groups, use the groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection, although it is not required in order for them to access the plan owned by the group. * * @param PlannerUserIds $val The sharedWith * diff --git a/src/Beta/Microsoft/Graph/Model/PlannerTask.php b/src/Beta/Microsoft/Graph/Model/PlannerTask.php index 5036e26e805..dbf8b2b8971 100644 --- a/src/Beta/Microsoft/Graph/Model/PlannerTask.php +++ b/src/Beta/Microsoft/Graph/Model/PlannerTask.php @@ -551,7 +551,7 @@ public function setPlanId($val) /** * Gets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. * * @return PlannerPreviewType|null The previewType */ @@ -570,7 +570,7 @@ public function getPreviewType() /** * Sets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. * * @param PlannerPreviewType $val The previewType * diff --git a/src/Beta/Microsoft/Graph/Model/PlannerTaskDetails.php b/src/Beta/Microsoft/Graph/Model/PlannerTaskDetails.php index a054ddfd744..fa0c6a317bc 100644 --- a/src/Beta/Microsoft/Graph/Model/PlannerTaskDetails.php +++ b/src/Beta/Microsoft/Graph/Model/PlannerTaskDetails.php @@ -88,7 +88,7 @@ public function setDescription($val) /** * Gets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. * * @return PlannerPreviewType|null The previewType */ @@ -107,7 +107,7 @@ public function getPreviewType() /** * Sets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. * * @param PlannerPreviewType $val The previewType * diff --git a/src/Beta/Microsoft/Graph/Model/PlannerUser.php b/src/Beta/Microsoft/Graph/Model/PlannerUser.php index 9fdb3775032..b0e3eb7bdb8 100644 --- a/src/Beta/Microsoft/Graph/Model/PlannerUser.php +++ b/src/Beta/Microsoft/Graph/Model/PlannerUser.php @@ -241,7 +241,7 @@ public function setRosterPlans($val) /** * Gets the tasks - * Read-only. Nullable. Returns the plannerPlans shared with the user. + * Read-only. Nullable. Returns the plannerTasks assigned to the user. * * @return array|null The tasks */ @@ -256,7 +256,7 @@ public function getTasks() /** * Sets the tasks - * Read-only. Nullable. Returns the plannerPlans shared with the user. + * Read-only. Nullable. Returns the plannerTasks assigned to the user. * * @param PlannerTask $val The tasks * diff --git a/src/Beta/Microsoft/Graph/Model/Post.php b/src/Beta/Microsoft/Graph/Model/Post.php index ef1e7768cfb..cbabf14328c 100644 --- a/src/Beta/Microsoft/Graph/Model/Post.php +++ b/src/Beta/Microsoft/Graph/Model/Post.php @@ -309,7 +309,7 @@ public function setSender($val) /** * Gets the attachments - * Read-only. Nullable. + * The collection of fileAttachment, itemAttachment, and referenceAttachment attachments for the post. Read-only. Nullable. * * @return array|null The attachments */ @@ -324,7 +324,7 @@ public function getAttachments() /** * Sets the attachments - * Read-only. Nullable. + * The collection of fileAttachment, itemAttachment, and referenceAttachment attachments for the post. Read-only. Nullable. * * @param Attachment $val The attachments * @@ -368,7 +368,7 @@ public function setExtensions($val) /** * Gets the inReplyTo - * Read-only. + * The earlier post that this post is replying to in the conversationThread. Read-only. * * @return Post|null The inReplyTo */ @@ -387,7 +387,7 @@ public function getInReplyTo() /** * Sets the inReplyTo - * Read-only. + * The earlier post that this post is replying to in the conversationThread. Read-only. * * @param Post $val The inReplyTo * diff --git a/src/Beta/Microsoft/Graph/Model/Presence.php b/src/Beta/Microsoft/Graph/Model/Presence.php index 678835cf2d8..aa5ba55f22c 100644 --- a/src/Beta/Microsoft/Graph/Model/Presence.php +++ b/src/Beta/Microsoft/Graph/Model/Presence.php @@ -26,7 +26,7 @@ class Presence extends Entity { /** * Gets the activity - * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive, InAMeeting, Offline, OffWork, OutOfOffice, PresenceUnknown, Presenting, UrgentInterruptionsOnly. + * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive,InAMeeting, Offline, OffWork,OutOfOffice, PresenceUnknown,Presenting, UrgentInterruptionsOnly. * * @return string|null The activity */ @@ -41,7 +41,7 @@ public function getActivity() /** * Sets the activity - * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive, InAMeeting, Offline, OffWork, OutOfOffice, PresenceUnknown, Presenting, UrgentInterruptionsOnly. + * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive,InAMeeting, Offline, OffWork,OutOfOffice, PresenceUnknown,Presenting, UrgentInterruptionsOnly. * * @param string $val The activity * diff --git a/src/Beta/Microsoft/Graph/Model/PrintJobConfiguration.php b/src/Beta/Microsoft/Graph/Model/PrintJobConfiguration.php index efe5caa8704..78fd30e8b45 100644 --- a/src/Beta/Microsoft/Graph/Model/PrintJobConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/PrintJobConfiguration.php @@ -328,7 +328,7 @@ public function setMargin($val) } /** * Gets the mediaSize - * The media size to use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values listed in the printerCapabilities topic. + * The media sizeto use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values are listed in the printerCapabilities topic. * * @return string|null The mediaSize */ @@ -343,7 +343,7 @@ public function getMediaSize() /** * Sets the mediaSize - * The media size to use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values listed in the printerCapabilities topic. + * The media sizeto use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values are listed in the printerCapabilities topic. * * @param string $val The value of the mediaSize * diff --git a/src/Beta/Microsoft/Graph/Model/PrintTask.php b/src/Beta/Microsoft/Graph/Model/PrintTask.php index 5db8b3bc694..8c74788fe98 100644 --- a/src/Beta/Microsoft/Graph/Model/PrintTask.php +++ b/src/Beta/Microsoft/Graph/Model/PrintTask.php @@ -26,7 +26,7 @@ class PrintTask extends Entity { /** * Gets the parentUrl - * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/v1.0/print/printers/{printerId}/jobs/{jobId}. Read-only. + * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/beta/print/printers/{printerId}/jobs/{jobId}. Read-only. * * @return string|null The parentUrl */ @@ -41,7 +41,7 @@ public function getParentUrl() /** * Sets the parentUrl - * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/v1.0/print/printers/{printerId}/jobs/{jobId}. Read-only. + * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/beta/print/printers/{printerId}/jobs/{jobId}. Read-only. * * @param string $val The parentUrl * diff --git a/src/Beta/Microsoft/Graph/Model/ProvisioningErrorInfo.php b/src/Beta/Microsoft/Graph/Model/ProvisioningErrorInfo.php index b43f42ba6f9..321ef4063ab 100644 --- a/src/Beta/Microsoft/Graph/Model/ProvisioningErrorInfo.php +++ b/src/Beta/Microsoft/Graph/Model/ProvisioningErrorInfo.php @@ -25,6 +25,7 @@ class ProvisioningErrorInfo extends Entity { /** * Gets the additionalDetails + * Additional details in case of error. * * @return string|null The additionalDetails */ @@ -39,6 +40,7 @@ public function getAdditionalDetails() /** * Sets the additionalDetails + * Additional details in case of error. * * @param string $val The value of the additionalDetails * @@ -52,6 +54,7 @@ public function setAdditionalDetails($val) /** * Gets the errorCategory + * Categorizes the error code. Possible values are failure, nonServiceFailure, success, unknownFutureValue * * @return ProvisioningStatusErrorCategory|null The errorCategory */ @@ -70,6 +73,7 @@ public function getErrorCategory() /** * Sets the errorCategory + * Categorizes the error code. Possible values are failure, nonServiceFailure, success, unknownFutureValue * * @param ProvisioningStatusErrorCategory $val The value to assign to the errorCategory * @@ -82,6 +86,7 @@ public function setErrorCategory($val) } /** * Gets the errorCode + * Unique error code if any occurred. Learn more * * @return string|null The errorCode */ @@ -96,6 +101,7 @@ public function getErrorCode() /** * Sets the errorCode + * Unique error code if any occurred. Learn more * * @param string $val The value of the errorCode * @@ -108,6 +114,7 @@ public function setErrorCode($val) } /** * Gets the reason + * Summarizes the status and describes why the status happened. * * @return string|null The reason */ @@ -122,6 +129,7 @@ public function getReason() /** * Sets the reason + * Summarizes the status and describes why the status happened. * * @param string $val The value of the reason * @@ -134,6 +142,7 @@ public function setReason($val) } /** * Gets the recommendedAction + * Provides the resolution for the corresponding error. * * @return string|null The recommendedAction */ @@ -148,6 +157,7 @@ public function getRecommendedAction() /** * Sets the recommendedAction + * Provides the resolution for the corresponding error. * * @param string $val The value of the recommendedAction * diff --git a/src/Beta/Microsoft/Graph/Model/ProvisioningObjectSummary.php b/src/Beta/Microsoft/Graph/Model/ProvisioningObjectSummary.php index a9dd9d04a83..22aa7a406c6 100644 --- a/src/Beta/Microsoft/Graph/Model/ProvisioningObjectSummary.php +++ b/src/Beta/Microsoft/Graph/Model/ProvisioningObjectSummary.php @@ -26,7 +26,6 @@ class ProvisioningObjectSummary extends Entity { /** * Gets the action - * Indicates the activity name or the operation name (for example, Create user, Add member to group). For a list of activities logged, refer to Azure AD activity list. * * @return string|null The action */ @@ -41,7 +40,6 @@ public function getAction() /** * Sets the action - * Indicates the activity name or the operation name (for example, Create user, Add member to group). For a list of activities logged, refer to Azure AD activity list. * * @param string $val The action * @@ -267,6 +265,7 @@ public function setModifiedProperties($val) /** * Gets the provisioningAction + * Indicates the activity name or the operation name. Possible values are: create, update, delete, stageddelete, disable, other and unknownFutureValue. For a list of activities logged, refer to Azure AD activity list. * * @return ProvisioningAction|null The provisioningAction */ @@ -285,6 +284,7 @@ public function getProvisioningAction() /** * Sets the provisioningAction + * Indicates the activity name or the operation name. Possible values are: create, update, delete, stageddelete, disable, other and unknownFutureValue. For a list of activities logged, refer to Azure AD activity list. * * @param ProvisioningAction $val The provisioningAction * @@ -298,6 +298,7 @@ public function setProvisioningAction($val) /** * Gets the provisioningStatusInfo + * Details of provisioning status. * * @return ProvisioningStatusInfo|null The provisioningStatusInfo */ @@ -316,6 +317,7 @@ public function getProvisioningStatusInfo() /** * Sets the provisioningStatusInfo + * Details of provisioning status. * * @param ProvisioningStatusInfo $val The provisioningStatusInfo * @@ -458,7 +460,6 @@ public function setSourceSystem($val) /** * Gets the statusInfo - * Details of provisioning status. * * @return StatusBase|null The statusInfo */ @@ -477,7 +478,6 @@ public function getStatusInfo() /** * Sets the statusInfo - * Details of provisioning status. * * @param StatusBase $val The statusInfo * diff --git a/src/Beta/Microsoft/Graph/Model/ProvisioningStatusInfo.php b/src/Beta/Microsoft/Graph/Model/ProvisioningStatusInfo.php index 0b7c484a44a..3750cedaec0 100644 --- a/src/Beta/Microsoft/Graph/Model/ProvisioningStatusInfo.php +++ b/src/Beta/Microsoft/Graph/Model/ProvisioningStatusInfo.php @@ -57,6 +57,7 @@ public function setErrorInformation($val) /** * Gets the status + * Possible values are: success, warning, failure, skipped, unknownFutureValue. * * @return ProvisioningResult|null The status */ @@ -75,6 +76,7 @@ public function getStatus() /** * Sets the status + * Possible values are: success, warning, failure, skipped, unknownFutureValue. * * @param ProvisioningResult $val The value to assign to the status * diff --git a/src/Beta/Microsoft/Graph/Model/ProvisioningSystem.php b/src/Beta/Microsoft/Graph/Model/ProvisioningSystem.php index 0854d7f9e0b..d4e6bda6154 100644 --- a/src/Beta/Microsoft/Graph/Model/ProvisioningSystem.php +++ b/src/Beta/Microsoft/Graph/Model/ProvisioningSystem.php @@ -26,6 +26,7 @@ class ProvisioningSystem extends Identity /** * Gets the details + * Details of the system. * * @return DetailsInfo|null The details */ @@ -44,6 +45,7 @@ public function getDetails() /** * Sets the details + * Details of the system. * * @param DetailsInfo $val The value to assign to the details * diff --git a/src/Beta/Microsoft/Graph/Model/RecentNotebookLinks.php b/src/Beta/Microsoft/Graph/Model/RecentNotebookLinks.php index 640728185ad..243507f03af 100644 --- a/src/Beta/Microsoft/Graph/Model/RecentNotebookLinks.php +++ b/src/Beta/Microsoft/Graph/Model/RecentNotebookLinks.php @@ -26,7 +26,7 @@ class RecentNotebookLinks extends Entity /** * Gets the oneNoteClientUrl - * Opens the notebook in the OneNote native client if it's installed. + * Opens the notebook in the OneNote client, if it's installed. * * @return ExternalLink|null The oneNoteClientUrl */ @@ -45,7 +45,7 @@ public function getOneNoteClientUrl() /** * Sets the oneNoteClientUrl - * Opens the notebook in the OneNote native client if it's installed. + * Opens the notebook in the OneNote client, if it's installed. * * @param ExternalLink $val The value to assign to the oneNoteClientUrl * diff --git a/src/Beta/Microsoft/Graph/Model/RecordingInfo.php b/src/Beta/Microsoft/Graph/Model/RecordingInfo.php index d09b9c88b0f..77e91ba2dff 100644 --- a/src/Beta/Microsoft/Graph/Model/RecordingInfo.php +++ b/src/Beta/Microsoft/Graph/Model/RecordingInfo.php @@ -59,7 +59,7 @@ public function setInitiatedBy($val) /** * Gets the initiator - * The identities of the recording initiator. + * The identities of recording initiator. * * @return IdentitySet|null The initiator */ @@ -78,7 +78,7 @@ public function getInitiator() /** * Sets the initiator - * The identities of the recording initiator. + * The identities of recording initiator. * * @param IdentitySet $val The value to assign to the initiator * diff --git a/src/Beta/Microsoft/Graph/Model/RecurrencePattern.php b/src/Beta/Microsoft/Graph/Model/RecurrencePattern.php index 7b312ccd7e9..df4e6037f0d 100644 --- a/src/Beta/Microsoft/Graph/Model/RecurrencePattern.php +++ b/src/Beta/Microsoft/Graph/Model/RecurrencePattern.php @@ -54,7 +54,7 @@ public function setDayOfMonth($val) /** * Gets the daysOfWeek - * A collection of the days of the week on which the event occurs. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. + * A collection of the days of the week on which the event occurs. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. * * @return DayOfWeek|null The daysOfWeek */ @@ -73,7 +73,7 @@ public function getDaysOfWeek() /** * Sets the daysOfWeek - * A collection of the days of the week on which the event occurs. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. + * A collection of the days of the week on which the event occurs. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. * * @param DayOfWeek $val The value to assign to the daysOfWeek * @@ -87,7 +87,7 @@ public function setDaysOfWeek($val) /** * Gets the firstDayOfWeek - * The first day of the week. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. + * The first day of the week. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. * * @return DayOfWeek|null The firstDayOfWeek */ @@ -106,7 +106,7 @@ public function getFirstDayOfWeek() /** * Sets the firstDayOfWeek - * The first day of the week. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. + * The first day of the week. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. * * @param DayOfWeek $val The value to assign to the firstDayOfWeek * @@ -120,7 +120,7 @@ public function setFirstDayOfWeek($val) /** * Gets the index - * Specifies on which instance of the allowed days specified in daysOfWeek the event occurs, counted from the first instance in the month. The possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. + * Specifies on which instance of the allowed days specified in daysOfsWeek the event occurs, counted from the first instance in the month. Possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. * * @return WeekIndex|null The index */ @@ -139,7 +139,7 @@ public function getIndex() /** * Sets the index - * Specifies on which instance of the allowed days specified in daysOfWeek the event occurs, counted from the first instance in the month. The possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. + * Specifies on which instance of the allowed days specified in daysOfsWeek the event occurs, counted from the first instance in the month. Possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. * * @param WeekIndex $val The value to assign to the index * diff --git a/src/Beta/Microsoft/Graph/Model/RecurrenceRange.php b/src/Beta/Microsoft/Graph/Model/RecurrenceRange.php index 953301af44c..5b45d736d64 100644 --- a/src/Beta/Microsoft/Graph/Model/RecurrenceRange.php +++ b/src/Beta/Microsoft/Graph/Model/RecurrenceRange.php @@ -148,7 +148,7 @@ public function setStartDate($val) /** * Gets the type - * The recurrence range. The possible values are: endDate, noEnd, numbered. Required. + * The recurrence range. Possible values are: endDate, noEnd, numbered. Required. * * @return RecurrenceRangeType|null The type */ @@ -167,7 +167,7 @@ public function getType() /** * Sets the type - * The recurrence range. The possible values are: endDate, noEnd, numbered. Required. + * The recurrence range. Possible values are: endDate, noEnd, numbered. Required. * * @param RecurrenceRangeType $val The value to assign to the type * diff --git a/src/Beta/Microsoft/Graph/Model/RelatedContact.php b/src/Beta/Microsoft/Graph/Model/RelatedContact.php index 29a80ff2d3d..b29e8c1c655 100644 --- a/src/Beta/Microsoft/Graph/Model/RelatedContact.php +++ b/src/Beta/Microsoft/Graph/Model/RelatedContact.php @@ -81,7 +81,7 @@ public function setDisplayName($val) } /** * Gets the emailAddress - * Primary email address of the contact. + * Email address of the contact. * * @return string|null The emailAddress */ @@ -96,7 +96,7 @@ public function getEmailAddress() /** * Sets the emailAddress - * Primary email address of the contact. + * Email address of the contact. * * @param string $val The value of the emailAddress * @@ -166,7 +166,7 @@ public function setMobilePhone($val) /** * Gets the relationship - * Relationship to the user. Possible values are parent, relative, aide, doctor, guardian, child, other, unknownFutureValue. + * Relationship to the user. Possible values are: parent, relative, aide, doctor, guardian, child, other, unknownFutureValue. * * @return ContactRelationship|null The relationship */ @@ -185,7 +185,7 @@ public function getRelationship() /** * Sets the relationship - * Relationship to the user. Possible values are parent, relative, aide, doctor, guardian, child, other, unknownFutureValue. + * Relationship to the user. Possible values are: parent, relative, aide, doctor, guardian, child, other, unknownFutureValue. * * @param ContactRelationship $val The value to assign to the relationship * diff --git a/src/Beta/Microsoft/Graph/Model/RemoteAssistancePartner.php b/src/Beta/Microsoft/Graph/Model/RemoteAssistancePartner.php index 14da8cf3c95..d59b355bfbd 100644 --- a/src/Beta/Microsoft/Graph/Model/RemoteAssistancePartner.php +++ b/src/Beta/Microsoft/Graph/Model/RemoteAssistancePartner.php @@ -121,7 +121,7 @@ public function setOnboardingRequestExpiryDateTime($val) /** * Gets the onboardingStatus - * TBD. Possible values are: notOnboarded, onboarding, onboarded. + * A friendly description of the current TeamViewer connector status. Possible values are: notOnboarded, onboarding, onboarded. * * @return RemoteAssistanceOnboardingStatus|null The onboardingStatus */ @@ -140,7 +140,7 @@ public function getOnboardingStatus() /** * Sets the onboardingStatus - * TBD. Possible values are: notOnboarded, onboarding, onboarded. + * A friendly description of the current TeamViewer connector status. Possible values are: notOnboarded, onboarding, onboarded. * * @param RemoteAssistanceOnboardingStatus $val The onboardingStatus * diff --git a/src/Beta/Microsoft/Graph/Model/Report.php b/src/Beta/Microsoft/Graph/Model/Report.php index 01437bacd68..0bda1dc3bde 100644 --- a/src/Beta/Microsoft/Graph/Model/Report.php +++ b/src/Beta/Microsoft/Graph/Model/Report.php @@ -26,7 +26,7 @@ class Report extends Entity /** * Gets the content - * Not yet documented + * Report content; details vary by report type. * * @return \GuzzleHttp\Psr7\Stream|null The content */ @@ -45,7 +45,7 @@ public function getContent() /** * Sets the content - * Not yet documented + * Report content; details vary by report type. * * @param \GuzzleHttp\Psr7\Stream $val The value to assign to the content * diff --git a/src/Beta/Microsoft/Graph/Model/ResourceAction.php b/src/Beta/Microsoft/Graph/Model/ResourceAction.php index 378731ee966..54732fba58f 100644 --- a/src/Beta/Microsoft/Graph/Model/ResourceAction.php +++ b/src/Beta/Microsoft/Graph/Model/ResourceAction.php @@ -53,7 +53,7 @@ public function setAllowedResourceActions($val) } /** * Gets the notAllowedResourceActions - * Not Allowed Actions + * Not Allowed Actions. * * @return string|null The notAllowedResourceActions */ @@ -68,7 +68,7 @@ public function getNotAllowedResourceActions() /** * Sets the notAllowedResourceActions - * Not Allowed Actions + * Not Allowed Actions. * * @param string $val The value of the notAllowedResourceActions * diff --git a/src/Beta/Microsoft/Graph/Model/ResponseStatus.php b/src/Beta/Microsoft/Graph/Model/ResponseStatus.php index 8604f7e6733..4e38d6f5ae0 100644 --- a/src/Beta/Microsoft/Graph/Model/ResponseStatus.php +++ b/src/Beta/Microsoft/Graph/Model/ResponseStatus.php @@ -26,7 +26,7 @@ class ResponseStatus extends Entity /** * Gets the response - * The response type. The possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. + * The response type. Possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. * * @return ResponseType|null The response */ @@ -45,7 +45,7 @@ public function getResponse() /** * Sets the response - * The response type. The possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. + * The response type. Possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. * * @param ResponseType $val The value to assign to the response * diff --git a/src/Beta/Microsoft/Graph/Model/RiskDetection.php b/src/Beta/Microsoft/Graph/Model/RiskDetection.php index 8f910e4af6e..e81eb472852 100644 --- a/src/Beta/Microsoft/Graph/Model/RiskDetection.php +++ b/src/Beta/Microsoft/Graph/Model/RiskDetection.php @@ -26,7 +26,7 @@ class RiskDetection extends Entity { /** * Gets the activity - * Indicates the activity type the detected risk is linked to. . Possible values are: signin, user, unknownFutureValue. + * Indicates the activity type the detected risk is linked to. The possible values are signin, user, unknownFutureValue. * * @return ActivityType|null The activity */ @@ -45,7 +45,7 @@ public function getActivity() /** * Sets the activity - * Indicates the activity type the detected risk is linked to. . Possible values are: signin, user, unknownFutureValue. + * Indicates the activity type the detected risk is linked to. The possible values are signin, user, unknownFutureValue. * * @param ActivityType $val The activity * @@ -59,7 +59,7 @@ public function setActivity($val) /** * Gets the activityDateTime - * Date and time that the risky activity occurred. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risky activity occurred. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The activityDateTime */ @@ -78,7 +78,7 @@ public function getActivityDateTime() /** * Sets the activityDateTime - * Date and time that the risky activity occurred. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risky activity occurred. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The activityDateTime * @@ -150,7 +150,7 @@ public function setCorrelationId($val) /** * Gets the detectedDateTime - * Date and time that the risk was detected. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risk was detected. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The detectedDateTime */ @@ -169,7 +169,7 @@ public function getDetectedDateTime() /** * Sets the detectedDateTime - * Date and time that the risk was detected. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risk was detected. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The detectedDateTime * @@ -183,7 +183,7 @@ public function setDetectedDateTime($val) /** * Gets the detectionTimingType - * Timing of the detected risk (real-time/offline). Possible values are: notDefined, realtime, nearRealtime, offline, unknownFutureValue. + * Timing of the detected risk (real-time/offline). The possible values are notDefined, realtime, nearRealtime, offline, unknownFutureValue. * * @return RiskDetectionTimingType|null The detectionTimingType */ @@ -202,7 +202,7 @@ public function getDetectionTimingType() /** * Sets the detectionTimingType - * Timing of the detected risk (real-time/offline). Possible values are: notDefined, realtime, nearRealtime, offline, unknownFutureValue. + * Timing of the detected risk (real-time/offline). The possible values are notDefined, realtime, nearRealtime, offline, unknownFutureValue. * * @param RiskDetectionTimingType $val The detectionTimingType * @@ -245,7 +245,7 @@ public function setIpAddress($val) /** * Gets the lastUpdatedDateTime - * Date and time that the risk detection was last updated. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risk detection was last updated. * * @return \DateTime|null The lastUpdatedDateTime */ @@ -264,7 +264,7 @@ public function getLastUpdatedDateTime() /** * Sets the lastUpdatedDateTime - * Date and time that the risk detection was last updated. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is look like this: 2014-01-01T00:00:00Z + * Date and time that the risk detection was last updated. * * @param \DateTime $val The lastUpdatedDateTime * @@ -340,7 +340,7 @@ public function setRequestId($val) /** * Gets the riskDetail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * Details of the detected risk. The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. Note: Details for this property are only available for Azure AD Premium P2 customers. P1 customers will be returned hidden. * * @return RiskDetail|null The riskDetail */ @@ -359,7 +359,7 @@ public function getRiskDetail() /** * Sets the riskDetail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * Details of the detected risk. The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. Note: Details for this property are only available for Azure AD Premium P2 customers. P1 customers will be returned hidden. * * @param RiskDetail $val The riskDetail * @@ -373,7 +373,7 @@ public function setRiskDetail($val) /** * Gets the riskEventType - * The type of risk event detected. The possible values are unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic,adminConfirmedUserCompromised, mcasImpossibleTravel, mcasSuspiciousInboxManipulationRules, investigationsThreatIntelligenceSigninLinked, maliciousIPAddressValidCredentialsBlockedIP, and unknownFutureValue. If the risk detection is a premium detection, will show generic + * The type of risk event detected. The possible values are unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic,adminConfirmedUserCompromised, mcasImpossibleTravel, mcasSuspiciousInboxManipulationRules, investigationsThreatIntelligenceSigninLinked, maliciousIPAddressValidCredentialsBlockedIP, and unknownFutureValue. * * @return string|null The riskEventType */ @@ -388,7 +388,7 @@ public function getRiskEventType() /** * Sets the riskEventType - * The type of risk event detected. The possible values are unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic,adminConfirmedUserCompromised, mcasImpossibleTravel, mcasSuspiciousInboxManipulationRules, investigationsThreatIntelligenceSigninLinked, maliciousIPAddressValidCredentialsBlockedIP, and unknownFutureValue. If the risk detection is a premium detection, will show generic + * The type of risk event detected. The possible values are unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic,adminConfirmedUserCompromised, mcasImpossibleTravel, mcasSuspiciousInboxManipulationRules, investigationsThreatIntelligenceSigninLinked, maliciousIPAddressValidCredentialsBlockedIP, and unknownFutureValue. * * @param string $val The riskEventType * @@ -402,7 +402,7 @@ public function setRiskEventType($val) /** * Gets the riskLevel - * Level of the detected risk. Possible values are: low, medium, high, hidden, none, unknownFutureValue. + * Level of the detected risk. The possible values are low, medium, high, hidden, none, unknownFutureValue. Note: Details for this property are only available for Azure AD Premium P2 customers. P1 customers will be returned hidden. * * @return RiskLevel|null The riskLevel */ @@ -421,7 +421,7 @@ public function getRiskLevel() /** * Sets the riskLevel - * Level of the detected risk. Possible values are: low, medium, high, hidden, none, unknownFutureValue. + * Level of the detected risk. The possible values are low, medium, high, hidden, none, unknownFutureValue. Note: Details for this property are only available for Azure AD Premium P2 customers. P1 customers will be returned hidden. * * @param RiskLevel $val The riskLevel * @@ -435,7 +435,7 @@ public function setRiskLevel($val) /** * Gets the riskState - * The state of a detected risky user or sign-in. Possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The state of a detected risky user or sign-in. The possible values are none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, and unknownFutureValue. * * @return RiskState|null The riskState */ @@ -454,7 +454,7 @@ public function getRiskState() /** * Sets the riskState - * The state of a detected risky user or sign-in. Possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The state of a detected risky user or sign-in. The possible values are none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, and unknownFutureValue. * * @param RiskState $val The riskState * @@ -530,7 +530,7 @@ public function setSource($val) /** * Gets the tokenIssuerType - * Indicates the type of token issuer for the detected sign-in risk. Possible values are: AzureAD, ADFederationServices, UnknownFutureValue. + * Indicates the type of token issuer for the detected sign-in risk. The possible values are AzureAD, ADFederationServices, and unknownFutureValue. * * @return TokenIssuerType|null The tokenIssuerType */ @@ -549,7 +549,7 @@ public function getTokenIssuerType() /** * Sets the tokenIssuerType - * Indicates the type of token issuer for the detected sign-in risk. Possible values are: AzureAD, ADFederationServices, UnknownFutureValue. + * Indicates the type of token issuer for the detected sign-in risk. The possible values are AzureAD, ADFederationServices, and unknownFutureValue. * * @param TokenIssuerType $val The tokenIssuerType * @@ -563,7 +563,7 @@ public function setTokenIssuerType($val) /** * Gets the userDisplayName - * The user principal name (UPN) of the user. + * Name of the user. * * @return string|null The userDisplayName */ @@ -578,7 +578,7 @@ public function getUserDisplayName() /** * Sets the userDisplayName - * The user principal name (UPN) of the user. + * Name of the user. * * @param string $val The userDisplayName * @@ -592,7 +592,7 @@ public function setUserDisplayName($val) /** * Gets the userId - * Unique ID of the user. + * Unique ID of the user. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return string|null The userId */ @@ -607,7 +607,7 @@ public function getUserId() /** * Sets the userId - * Unique ID of the user. + * Unique ID of the user. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param string $val The userId * diff --git a/src/Beta/Microsoft/Graph/Model/RiskUserActivity.php b/src/Beta/Microsoft/Graph/Model/RiskUserActivity.php index 73d9160c69f..a423087627d 100644 --- a/src/Beta/Microsoft/Graph/Model/RiskUserActivity.php +++ b/src/Beta/Microsoft/Graph/Model/RiskUserActivity.php @@ -26,7 +26,7 @@ class RiskUserActivity extends Entity /** * Gets the detail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. * * @return RiskDetail|null The detail */ @@ -45,7 +45,7 @@ public function getDetail() /** * Sets the detail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. * * @param RiskDetail $val The value to assign to the detail * diff --git a/src/Beta/Microsoft/Graph/Model/RiskyUser.php b/src/Beta/Microsoft/Graph/Model/RiskyUser.php index f376f793ef0..dc26d81baf2 100644 --- a/src/Beta/Microsoft/Graph/Model/RiskyUser.php +++ b/src/Beta/Microsoft/Graph/Model/RiskyUser.php @@ -84,7 +84,7 @@ public function setIsProcessing($val) /** * Gets the riskDetail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. * * @return RiskDetail|null The riskDetail */ @@ -103,7 +103,7 @@ public function getRiskDetail() /** * Sets the riskDetail - * Details of the detected risk. Possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. + * The possible values are none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, hidden, adminConfirmedUserCompromised, unknownFutureValue. * * @param RiskDetail $val The riskDetail * @@ -150,7 +150,7 @@ public function setRiskLastUpdatedDateTime($val) /** * Gets the riskLevel - * Level of the detected risky user. Possible values are: low, medium, high, hidden, none, unknownFutureValue. + * Level of the detected risky user. The possible values are low, medium, high, hidden, none, unknownFutureValue. * * @return RiskLevel|null The riskLevel */ @@ -169,7 +169,7 @@ public function getRiskLevel() /** * Sets the riskLevel - * Level of the detected risky user. Possible values are: low, medium, high, hidden, none, unknownFutureValue. + * Level of the detected risky user. The possible values are low, medium, high, hidden, none, unknownFutureValue. * * @param RiskLevel $val The riskLevel * diff --git a/src/Beta/Microsoft/Graph/Model/RolePermission.php b/src/Beta/Microsoft/Graph/Model/RolePermission.php index ad01fec1219..6a59e35b68e 100644 --- a/src/Beta/Microsoft/Graph/Model/RolePermission.php +++ b/src/Beta/Microsoft/Graph/Model/RolePermission.php @@ -54,7 +54,7 @@ public function setActions($val) /** * Gets the resourceActions - * Actions + * Resource Actions each containing a set of allowed and not allowed permissions. * * @return ResourceAction|null The resourceActions */ @@ -73,7 +73,7 @@ public function getResourceActions() /** * Sets the resourceActions - * Actions + * Resource Actions each containing a set of allowed and not allowed permissions. * * @param ResourceAction $val The value to assign to the resourceActions * diff --git a/src/Beta/Microsoft/Graph/Model/SchemaExtension.php b/src/Beta/Microsoft/Graph/Model/SchemaExtension.php index 174b015d183..f37edfdc400 100644 --- a/src/Beta/Microsoft/Graph/Model/SchemaExtension.php +++ b/src/Beta/Microsoft/Graph/Model/SchemaExtension.php @@ -143,7 +143,7 @@ public function setStatus($val) /** * Gets the targetTypes - * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from contact, device, event, group, message, organization, post, or user. + * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from administrativeUnit, contact, device, event, group, message, organization, post, or user. * * @return string|null The targetTypes */ @@ -158,7 +158,7 @@ public function getTargetTypes() /** * Sets the targetTypes - * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from contact, device, event, group, message, organization, post, or user. + * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from administrativeUnit, contact, device, event, group, message, organization, post, or user. * * @param string $val The targetTypes * diff --git a/src/Beta/Microsoft/Graph/Model/SecureScoreControlProfile.php b/src/Beta/Microsoft/Graph/Model/SecureScoreControlProfile.php index b12a657f6b0..43f49f28938 100644 --- a/src/Beta/Microsoft/Graph/Model/SecureScoreControlProfile.php +++ b/src/Beta/Microsoft/Graph/Model/SecureScoreControlProfile.php @@ -143,7 +143,7 @@ public function setComplianceInformation($val) /** * Gets the controlCategory - * Control action category (Identity, Data, Device, Apps, Infrastructure). + * Control action category (Account, Data, Device, Apps, Infrastructure). * * @return string|null The controlCategory */ @@ -158,7 +158,7 @@ public function getControlCategory() /** * Sets the controlCategory - * Control action category (Identity, Data, Device, Apps, Infrastructure). + * Control action category (Account, Data, Device, Apps, Infrastructure). * * @param string $val The controlCategory * @@ -293,7 +293,7 @@ public function setLastModifiedDateTime($val) /** * Gets the maxScore - * max attainable score for the control. + * Current obtained max score on specified date. * * @return float|null The maxScore */ @@ -308,7 +308,7 @@ public function getMaxScore() /** * Sets the maxScore - * max attainable score for the control. + * Current obtained max score on specified date. * * @param float $val The maxScore * @@ -438,7 +438,7 @@ public function setService($val) /** * Gets the threats - * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage, + * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage,elevationOfPrivilege,maliciousInsider,passwordCracking,phishingOrWhaling,spoofing). * * @return string|null The threats */ @@ -453,7 +453,7 @@ public function getThreats() /** * Sets the threats - * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage, + * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage,elevationOfPrivilege,maliciousInsider,passwordCracking,phishingOrWhaling,spoofing). * * @param string $val The threats * diff --git a/src/Beta/Microsoft/Graph/Model/ServicePlanInfo.php b/src/Beta/Microsoft/Graph/Model/ServicePlanInfo.php index ebfff80f877..3a4f0105ed1 100644 --- a/src/Beta/Microsoft/Graph/Model/ServicePlanInfo.php +++ b/src/Beta/Microsoft/Graph/Model/ServicePlanInfo.php @@ -53,7 +53,7 @@ public function setAppliesTo($val) } /** * Gets the provisioningStatus - * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan)'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. + * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan).'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. * * @return string|null The provisioningStatus */ @@ -68,7 +68,7 @@ public function getProvisioningStatus() /** * Sets the provisioningStatus - * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan)'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. + * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan).'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. * * @param string $val The value of the provisioningStatus * diff --git a/src/Beta/Microsoft/Graph/Model/ServicePrincipal.php b/src/Beta/Microsoft/Graph/Model/ServicePrincipal.php index b88b245034d..7a5bd1c2bc5 100644 --- a/src/Beta/Microsoft/Graph/Model/ServicePrincipal.php +++ b/src/Beta/Microsoft/Graph/Model/ServicePrincipal.php @@ -944,7 +944,7 @@ public function setServicePrincipalNames($val) /** * Gets the servicePrincipalType - * Identifies whether the service principal represents an application, a managed identity, or a legacy application. This is set by Azure AD internally. The servicePrincipalType property can be set to three different values: __Application - A service principal that represents an application or service. The appId property identifies the associated app registration, and matches the appId of an application, possibly from a different tenant. If the associated app registration is missing, tokens are not issued for the service principal.__ManagedIdentity - A service principal that represents a managed identity. Service principals representing managed identities can be granted access and permissions, but cannot be updated or modified directly.__Legacy - A service principal that represents an app created before app registrations, or through legacy experiences. Legacy service principal can have credentials, service principal names, reply URLs, and other properties which are editable by an authorized user, but does not have an associated app registration. The appId value does not associate the service principal with an app registration. The service principal can only be used in the tenant where it was created. + * Identifies if the service principal represents an application or a managed identity. This is set by Azure AD internally. For a service principal that represents an application this is set as Application. For a service principal that represent a managed identity this is set as ManagedIdentity. * * @return string|null The servicePrincipalType */ @@ -959,7 +959,7 @@ public function getServicePrincipalType() /** * Sets the servicePrincipalType - * Identifies whether the service principal represents an application, a managed identity, or a legacy application. This is set by Azure AD internally. The servicePrincipalType property can be set to three different values: __Application - A service principal that represents an application or service. The appId property identifies the associated app registration, and matches the appId of an application, possibly from a different tenant. If the associated app registration is missing, tokens are not issued for the service principal.__ManagedIdentity - A service principal that represents a managed identity. Service principals representing managed identities can be granted access and permissions, but cannot be updated or modified directly.__Legacy - A service principal that represents an app created before app registrations, or through legacy experiences. Legacy service principal can have credentials, service principal names, reply URLs, and other properties which are editable by an authorized user, but does not have an associated app registration. The appId value does not associate the service principal with an app registration. The service principal can only be used in the tenant where it was created. + * Identifies if the service principal represents an application or a managed identity. This is set by Azure AD internally. For a service principal that represents an application this is set as Application. For a service principal that represent a managed identity this is set as ManagedIdentity. * * @param string $val The servicePrincipalType * diff --git a/src/Beta/Microsoft/Graph/Model/SettingTemplateValue.php b/src/Beta/Microsoft/Graph/Model/SettingTemplateValue.php index 5938c159e18..15b9165c487 100644 --- a/src/Beta/Microsoft/Graph/Model/SettingTemplateValue.php +++ b/src/Beta/Microsoft/Graph/Model/SettingTemplateValue.php @@ -25,7 +25,7 @@ class SettingTemplateValue extends Entity { /** * Gets the defaultValue - * Default value for the setting. + * Default value for the setting. Read-only. * * @return string|null The defaultValue */ @@ -40,7 +40,7 @@ public function getDefaultValue() /** * Sets the defaultValue - * Default value for the setting. + * Default value for the setting. Read-only. * * @param string $val The value of the defaultValue * @@ -53,7 +53,7 @@ public function setDefaultValue($val) } /** * Gets the description - * Description of the setting. + * Description of the setting. Read-only. * * @return string|null The description */ @@ -68,7 +68,7 @@ public function getDescription() /** * Sets the description - * Description of the setting. + * Description of the setting. Read-only. * * @param string $val The value of the description * @@ -81,7 +81,7 @@ public function setDescription($val) } /** * Gets the name - * Name of the setting. + * Name of the setting. Read-only. * * @return string|null The name */ @@ -96,7 +96,7 @@ public function getName() /** * Sets the name - * Name of the setting. + * Name of the setting. Read-only. * * @param string $val The value of the name * @@ -109,7 +109,7 @@ public function setName($val) } /** * Gets the type - * Type of the setting. + * Type of the setting. Read-only. * * @return string|null The type */ @@ -124,7 +124,7 @@ public function getType() /** * Sets the type - * Type of the setting. + * Type of the setting. Read-only. * * @param string $val The value of the type * diff --git a/src/Beta/Microsoft/Graph/Model/SettingValue.php b/src/Beta/Microsoft/Graph/Model/SettingValue.php index 4b9963f9741..bfb478daf70 100644 --- a/src/Beta/Microsoft/Graph/Model/SettingValue.php +++ b/src/Beta/Microsoft/Graph/Model/SettingValue.php @@ -25,7 +25,7 @@ class SettingValue extends Entity { /** * Gets the name - * Name of the setting (as defined by the groupSettingTemplate). + * Name of the setting (as defined by the directorySettingTemplate). * * @return string|null The name */ @@ -40,7 +40,7 @@ public function getName() /** * Sets the name - * Name of the setting (as defined by the groupSettingTemplate). + * Name of the setting (as defined by the directorySettingTemplate). * * @param string $val The value of the name * diff --git a/src/Beta/Microsoft/Graph/Model/SharedPCConfiguration.php b/src/Beta/Microsoft/Graph/Model/SharedPCConfiguration.php index 83d7d21cacc..19335b9aa17 100644 --- a/src/Beta/Microsoft/Graph/Model/SharedPCConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/SharedPCConfiguration.php @@ -59,7 +59,7 @@ public function setAccountManagerPolicy($val) /** * Gets the allowedAccounts - * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: guest, domain. + * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: notConfigured, guest, domain. * * @return SharedPCAllowedAccountType|null The allowedAccounts */ @@ -78,7 +78,7 @@ public function getAllowedAccounts() /** * Sets the allowedAccounts - * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: guest, domain. + * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: notConfigured, guest, domain. * * @param SharedPCAllowedAccountType $val The allowedAccounts * diff --git a/src/Beta/Microsoft/Graph/Model/SignIn.php b/src/Beta/Microsoft/Graph/Model/SignIn.php index 7ca10217d88..d5384869363 100644 --- a/src/Beta/Microsoft/Graph/Model/SignIn.php +++ b/src/Beta/Microsoft/Graph/Model/SignIn.php @@ -26,7 +26,7 @@ class SignIn extends Entity { /** * Gets the alternateSignInName - * The alternate sign-in identity whenever you use phone number to sign-in. + * The alternate sign-in identity whenever you use phone number to sign-in. Supports $filter (eq and startsWith operators only). * * @return string|null The alternateSignInName */ @@ -41,7 +41,7 @@ public function getAlternateSignInName() /** * Sets the alternateSignInName - * The alternate sign-in identity whenever you use phone number to sign-in. + * The alternate sign-in identity whenever you use phone number to sign-in. Supports $filter (eq and startsWith operators only). * * @param string $val The alternateSignInName * @@ -55,7 +55,7 @@ public function setAlternateSignInName($val) /** * Gets the appDisplayName - * App name displayed in the Azure Portal. + * The application name displayed in the Azure Portal. Supports $filter (eq and startsWith operators only). * * @return string|null The appDisplayName */ @@ -70,7 +70,7 @@ public function getAppDisplayName() /** * Sets the appDisplayName - * App name displayed in the Azure Portal. + * The application name displayed in the Azure Portal. Supports $filter (eq and startsWith operators only). * * @param string $val The appDisplayName * @@ -84,7 +84,7 @@ public function setAppDisplayName($val) /** * Gets the appId - * Unique GUID representing the app ID in the Azure Active Directory. + * The application identifier in Azure Active Directory. Supports $filter (eq operator only). * * @return string|null The appId */ @@ -99,7 +99,7 @@ public function getAppId() /** * Sets the appId - * Unique GUID representing the app ID in the Azure Active Directory. + * The application identifier in Azure Active Directory. Supports $filter (eq operator only). * * @param string $val The appId * @@ -232,7 +232,7 @@ public function setAuthenticationProcessingDetails($val) /** * Gets the authenticationRequirement - * This holds the highest level of authentication needed through all the sign-in steps, for sign-in to succeed. + * This holds the highest level of authentication needed through all the sign-in steps, for sign-in to succeed. Supports $filter (eq and startsWith operators only). * * @return string|null The authenticationRequirement */ @@ -247,7 +247,7 @@ public function getAuthenticationRequirement() /** * Sets the authenticationRequirement - * This holds the highest level of authentication needed through all the sign-in steps, for sign-in to succeed. + * This holds the highest level of authentication needed through all the sign-in steps, for sign-in to succeed. Supports $filter (eq and startsWith operators only). * * @param string $val The authenticationRequirement * @@ -289,7 +289,7 @@ public function setAuthenticationRequirementPolicies($val) /** * Gets the clientAppUsed - * Identifies the legacy client used for sign-in activity. Includes Browser, Exchange Active Sync, modern clients, IMAP, MAPI, SMTP, and POP. + * The legacy client used for sign-in activity. For example: Browser, Exchange Active Sync, Modern clients, IMAP, MAPI, SMTP, or POP. Supports $filter (eq operator only). * * @return string|null The clientAppUsed */ @@ -304,7 +304,7 @@ public function getClientAppUsed() /** * Sets the clientAppUsed - * Identifies the legacy client used for sign-in activity. Includes Browser, Exchange Active Sync, modern clients, IMAP, MAPI, SMTP, and POP. + * The legacy client used for sign-in activity. For example: Browser, Exchange Active Sync, Modern clients, IMAP, MAPI, SMTP, or POP. Supports $filter (eq operator only). * * @param string $val The clientAppUsed * @@ -318,7 +318,7 @@ public function setClientAppUsed($val) /** * Gets the conditionalAccessStatus - * Reports status of an activated conditional access policy. Possible values are: success, failure, notApplied, and unknownFutureValue. + * The status of the conditional access policy triggered. Possible values: success, failure, notApplied, or unknownFutureValue. Supports $filter (eq operator only). * * @return ConditionalAccessStatus|null The conditionalAccessStatus */ @@ -337,7 +337,7 @@ public function getConditionalAccessStatus() /** * Sets the conditionalAccessStatus - * Reports status of an activated conditional access policy. Possible values are: success, failure, notApplied, and unknownFutureValue. + * The status of the conditional access policy triggered. Possible values: success, failure, notApplied, or unknownFutureValue. Supports $filter (eq operator only). * * @param ConditionalAccessStatus $val The conditionalAccessStatus * @@ -351,7 +351,7 @@ public function setConditionalAccessStatus($val) /** * Gets the correlationId - * The request ID sent from the client when the sign-in is initiated; used to troubleshoot sign-in activity. + * The identifier that's sent from the client when sign-in is initiated. This is used for troubleshooting the corresponding sign-in activity when calling for support. Supports $filter (eq operator only). * * @return string|null The correlationId */ @@ -366,7 +366,7 @@ public function getCorrelationId() /** * Sets the correlationId - * The request ID sent from the client when the sign-in is initiated; used to troubleshoot sign-in activity. + * The identifier that's sent from the client when sign-in is initiated. This is used for troubleshooting the corresponding sign-in activity when calling for support. Supports $filter (eq operator only). * * @param string $val The correlationId * @@ -380,7 +380,7 @@ public function setCorrelationId($val) /** * Gets the createdDateTime - * Date and time (UTC) the sign-in was initiated. Example: midnight on Jan 1, 2014 is reported as 2014-01-01T00:00:00Z. + * The date and time the sign-in was initiated. The Timestamp type is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Supports $orderby and $filter (eq, le, and ge operators only). * * @return \DateTime|null The createdDateTime */ @@ -399,7 +399,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * Date and time (UTC) the sign-in was initiated. Example: midnight on Jan 1, 2014 is reported as 2014-01-01T00:00:00Z. + * The date and time the sign-in was initiated. The Timestamp type is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Supports $orderby and $filter (eq, le, and ge operators only). * * @param \DateTime $val The createdDateTime * @@ -413,7 +413,7 @@ public function setCreatedDateTime($val) /** * Gets the deviceDetail - * Device information from where the sign-in occurred; includes device ID, operating system, and browser. + * The device information from where the sign-in occurred. Includes information such as deviceId, OS, and browser. Supports $filter (eq and startsWith operators only) on browser and operatingSytem properties. * * @return DeviceDetail|null The deviceDetail */ @@ -432,7 +432,7 @@ public function getDeviceDetail() /** * Sets the deviceDetail - * Device information from where the sign-in occurred; includes device ID, operating system, and browser. + * The device information from where the sign-in occurred. Includes information such as deviceId, OS, and browser. Supports $filter (eq and startsWith operators only) on browser and operatingSytem properties. * * @param DeviceDetail $val The deviceDetail * @@ -500,7 +500,7 @@ public function setHomeTenantId($val) /** * Gets the ipAddress - * IP address of the client used to sign in. + * The IP address of the client from where the sign-in occurred. Supports $filter (eq and startsWith operators only). * * @return string|null The ipAddress */ @@ -515,7 +515,7 @@ public function getIpAddress() /** * Sets the ipAddress - * IP address of the client used to sign in. + * The IP address of the client from where the sign-in occurred. Supports $filter (eq and startsWith operators only). * * @param string $val The ipAddress * @@ -556,7 +556,7 @@ public function setIpAddressFromResourceProvider($val) /** * Gets the isInteractive - * Indicates if a sign-in is interactive or not. + * Indicates whether a sign-in is interactive or not. * * @return bool|null The isInteractive */ @@ -571,7 +571,7 @@ public function getIsInteractive() /** * Sets the isInteractive - * Indicates if a sign-in is interactive or not. + * Indicates whether a sign-in is interactive or not. * * @param bool $val The isInteractive * @@ -585,7 +585,7 @@ public function setIsInteractive($val) /** * Gets the location - * Provides the city, state, and country code where the sign-in originated. + * The city, state, and 2 letter country code from where the sign-in occurred. Supports $filter (eq and startsWith operators only) on city, state, and countryOrRegion properties. * * @return SignInLocation|null The location */ @@ -604,7 +604,7 @@ public function getLocation() /** * Sets the location - * Provides the city, state, and country code where the sign-in originated. + * The city, state, and 2 letter country code from where the sign-in occurred. Supports $filter (eq and startsWith operators only) on city, state, and countryOrRegion properties. * * @param SignInLocation $val The location * @@ -679,7 +679,7 @@ public function setNetworkLocationDetails($val) /** * Gets the originalRequestId - * The request identifier of the first request in the authentication sequence. + * The request identifier of the first request in the authentication sequence. Supports $filter (eq operator only). * * @return string|null The originalRequestId */ @@ -694,7 +694,7 @@ public function getOriginalRequestId() /** * Sets the originalRequestId - * The request identifier of the first request in the authentication sequence. + * The request identifier of the first request in the authentication sequence. Supports $filter (eq operator only). * * @param string $val The originalRequestId * @@ -737,7 +737,7 @@ public function setProcessingTimeInMilliseconds($val) /** * Gets the resourceDisplayName - * Name of the resource the user signed into. + * The name of the resource that the user signed in to. Supports $filter (eq operator only). * * @return string|null The resourceDisplayName */ @@ -752,7 +752,7 @@ public function getResourceDisplayName() /** * Sets the resourceDisplayName - * Name of the resource the user signed into. + * The name of the resource that the user signed in to. Supports $filter (eq operator only). * * @param string $val The resourceDisplayName * @@ -766,7 +766,7 @@ public function setResourceDisplayName($val) /** * Gets the resourceId - * ID of the resource that the user signed into. + * The identifier of the resource that the user signed in to. Supports $filter (eq operator only). * * @return string|null The resourceId */ @@ -781,7 +781,7 @@ public function getResourceId() /** * Sets the resourceId - * ID of the resource that the user signed into. + * The identifier of the resource that the user signed in to. Supports $filter (eq operator only). * * @param string $val The resourceId * @@ -822,7 +822,7 @@ public function setResourceTenantId($val) /** * Gets the riskDetail - * Provides the 'reason' behind a specific state of a risky user, sign-in or a risk event. The possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Note: Details for this property require an Azure AD Premium P2 license. Other licenses return the value hidden. + * The reason behind a specific state of a risky user, sign-in, or a risk event. Possible values: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, or unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskDetail|null The riskDetail */ @@ -841,7 +841,7 @@ public function getRiskDetail() /** * Sets the riskDetail - * Provides the 'reason' behind a specific state of a risky user, sign-in or a risk event. The possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Note: Details for this property require an Azure AD Premium P2 license. Other licenses return the value hidden. + * The reason behind a specific state of a risky user, sign-in, or a risk event. Possible values: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, or unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskDetail $val The riskDetail * @@ -856,7 +856,7 @@ public function setRiskDetail($val) /** * Gets the riskEventTypes - * Risk event types associated with the sign-in. The possible values are: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, and unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq operator only). * * @return array|null The riskEventTypes */ @@ -871,7 +871,7 @@ public function getRiskEventTypes() /** * Sets the riskEventTypes - * Risk event types associated with the sign-in. The possible values are: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, and unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq operator only). * * @param RiskEventType $val The riskEventTypes * @@ -885,7 +885,7 @@ public function setRiskEventTypes($val) /** * Gets the riskEventTypesV2 - * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq and startsWith operators only). * * @return string|null The riskEventTypesV2 */ @@ -900,7 +900,7 @@ public function getRiskEventTypesV2() /** * Sets the riskEventTypesV2 - * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq and startsWith operators only). * * @param string $val The riskEventTypesV2 * @@ -914,7 +914,7 @@ public function setRiskEventTypesV2($val) /** * Gets the riskLevelAggregated - * Aggregated risk level. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The aggregated risk level. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskLevel|null The riskLevelAggregated */ @@ -933,7 +933,7 @@ public function getRiskLevelAggregated() /** * Sets the riskLevelAggregated - * Aggregated risk level. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The aggregated risk level. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskLevel $val The riskLevelAggregated * @@ -947,7 +947,7 @@ public function setRiskLevelAggregated($val) /** * Gets the riskLevelDuringSignIn - * Risk level during sign-in. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The risk level during sign-in. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskLevel|null The riskLevelDuringSignIn */ @@ -966,7 +966,7 @@ public function getRiskLevelDuringSignIn() /** * Sets the riskLevelDuringSignIn - * Risk level during sign-in. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The risk level during sign-in. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskLevel $val The riskLevelDuringSignIn * @@ -980,7 +980,7 @@ public function setRiskLevelDuringSignIn($val) /** * Gets the riskState - * Reports status of the risky user, sign-in, or a risk event. The possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The risk state of a risky user, sign-in, or a risk event. Possible values: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, or unknownFutureValue. Supports $filter (eq operator only). * * @return RiskState|null The riskState */ @@ -999,7 +999,7 @@ public function getRiskState() /** * Sets the riskState - * Reports status of the risky user, sign-in, or a risk event. The possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The risk state of a risky user, sign-in, or a risk event. Possible values: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, or unknownFutureValue. Supports $filter (eq operator only). * * @param RiskState $val The riskState * @@ -1013,7 +1013,7 @@ public function setRiskState($val) /** * Gets the servicePrincipalId - * The application identifier used for sign-in. This field is populated when you are signing in using an application. + * The application identifier used for sign-in. This field is populated when you are signing in using an application. Supports $filter (eq and startsWith operators only). * * @return string|null The servicePrincipalId */ @@ -1028,7 +1028,7 @@ public function getServicePrincipalId() /** * Sets the servicePrincipalId - * The application identifier used for sign-in. This field is populated when you are signing in using an application. + * The application identifier used for sign-in. This field is populated when you are signing in using an application. Supports $filter (eq and startsWith operators only). * * @param string $val The servicePrincipalId * @@ -1042,7 +1042,7 @@ public function setServicePrincipalId($val) /** * Gets the servicePrincipalName - * The application name used for sign-in. This field is populated when you are signing in using an application. + * The application name used for sign-in. This field is populated when you are signing in using an application. Supports $filter (eq and startsWith operators only). * * @return string|null The servicePrincipalName */ @@ -1057,7 +1057,7 @@ public function getServicePrincipalName() /** * Sets the servicePrincipalName - * The application name used for sign-in. This field is populated when you are signing in using an application. + * The application name used for sign-in. This field is populated when you are signing in using an application. Supports $filter (eq and startsWith operators only). * * @param string $val The servicePrincipalName * @@ -1156,7 +1156,7 @@ public function setSignInIdentifierType($val) /** * Gets the status - * Sign-in status. Includes the error code and description of the error (in case of a sign-in failure). + * The sign-in status. Includes the error code and description of the error (in case of a sign-in failure). Supports $filter (eq operator only) on errorCode property. * * @return SignInStatus|null The status */ @@ -1175,7 +1175,7 @@ public function getStatus() /** * Sets the status - * Sign-in status. Includes the error code and description of the error (in case of a sign-in failure). + * The sign-in status. Includes the error code and description of the error (in case of a sign-in failure). Supports $filter (eq operator only) on errorCode property. * * @param SignInStatus $val The status * @@ -1189,7 +1189,7 @@ public function setStatus($val) /** * Gets the tokenIssuerName - * The name of the identity provider. For example, sts.microsoft.com. + * The name of the identity provider. For example, sts.microsoft.com. Supports $filter (eq operator only). * * @return string|null The tokenIssuerName */ @@ -1204,7 +1204,7 @@ public function getTokenIssuerName() /** * Sets the tokenIssuerName - * The name of the identity provider. For example, sts.microsoft.com. + * The name of the identity provider. For example, sts.microsoft.com. Supports $filter (eq operator only). * * @param string $val The tokenIssuerName * @@ -1251,7 +1251,7 @@ public function setTokenIssuerType($val) /** * Gets the userAgent - * The user agent information related to sign-in. + * The user agent information related to sign-in. Supports $filter (eq and startsWith operators only). * * @return string|null The userAgent */ @@ -1266,7 +1266,7 @@ public function getUserAgent() /** * Sets the userAgent - * The user agent information related to sign-in. + * The user agent information related to sign-in. Supports $filter (eq and startsWith operators only). * * @param string $val The userAgent * @@ -1280,7 +1280,7 @@ public function setUserAgent($val) /** * Gets the userDisplayName - * Display name of the user that initiated the sign-in. + * The display name of the user. Supports $filter (eq and startsWith operators only). * * @return string|null The userDisplayName */ @@ -1295,7 +1295,7 @@ public function getUserDisplayName() /** * Sets the userDisplayName - * Display name of the user that initiated the sign-in. + * The display name of the user. Supports $filter (eq and startsWith operators only). * * @param string $val The userDisplayName * @@ -1309,7 +1309,7 @@ public function setUserDisplayName($val) /** * Gets the userId - * ID of the user that initiated the sign-in. + * The identifier of the user. Supports $filter (eq operator only). * * @return string|null The userId */ @@ -1324,7 +1324,7 @@ public function getUserId() /** * Sets the userId - * ID of the user that initiated the sign-in. + * The identifier of the user. Supports $filter (eq operator only). * * @param string $val The userId * @@ -1338,7 +1338,7 @@ public function setUserId($val) /** * Gets the userPrincipalName - * User principal name of the user that initiated the sign-in. + * The UPN of the user. Supports $filter (eq and startsWith operators only). * * @return string|null The userPrincipalName */ @@ -1353,7 +1353,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * User principal name of the user that initiated the sign-in. + * The UPN of the user. Supports $filter (eq and startsWith operators only). * * @param string $val The userPrincipalName * diff --git a/src/Beta/Microsoft/Graph/Model/StoragePlanInformation.php b/src/Beta/Microsoft/Graph/Model/StoragePlanInformation.php index 604fa2626ab..b2cc6790889 100644 --- a/src/Beta/Microsoft/Graph/Model/StoragePlanInformation.php +++ b/src/Beta/Microsoft/Graph/Model/StoragePlanInformation.php @@ -25,7 +25,7 @@ class StoragePlanInformation extends Entity { /** * Gets the upgradeAvailable - * Indicates whether there are higher storage quota plans available. Read-only. + * Indicates if there are higher storage quota plans available. Read-only. * * @return bool|null The upgradeAvailable */ @@ -40,7 +40,7 @@ public function getUpgradeAvailable() /** * Sets the upgradeAvailable - * Indicates whether there are higher storage quota plans available. Read-only. + * Indicates if there are higher storage quota plans available. Read-only. * * @param bool $val The value of the upgradeAvailable * diff --git a/src/Beta/Microsoft/Graph/Model/Subscription.php b/src/Beta/Microsoft/Graph/Model/Subscription.php index 483162ff3c6..3c4d1ebf9e8 100644 --- a/src/Beta/Microsoft/Graph/Model/Subscription.php +++ b/src/Beta/Microsoft/Graph/Model/Subscription.php @@ -55,7 +55,7 @@ public function setApplicationId($val) /** * Gets the changeType - * Required. Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list.Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. + * Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list. Required. Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. * * @return string|null The changeType */ @@ -70,7 +70,7 @@ public function getChangeType() /** * Sets the changeType - * Required. Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list.Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. + * Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list. Required. Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. * * @param string $val The changeType * @@ -84,7 +84,7 @@ public function setChangeType($val) /** * Gets the clientState - * Optional. Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 128 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. + * Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 255 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. Optional. * * @return string|null The clientState */ @@ -99,7 +99,7 @@ public function getClientState() /** * Sets the clientState - * Optional. Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 128 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. + * Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 255 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. Optional. * * @param string $val The clientState * @@ -113,7 +113,7 @@ public function setClientState($val) /** * Gets the creatorId - * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the id of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the id of the service principal corresponding to the app. Read-only. + * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the ID of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the ID of the service principal corresponding to the app. Read-only. * * @return string|null The creatorId */ @@ -128,7 +128,7 @@ public function getCreatorId() /** * Sets the creatorId - * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the id of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the id of the service principal corresponding to the app. Read-only. + * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the ID of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the ID of the service principal corresponding to the app. Read-only. * * @param string $val The creatorId * @@ -171,7 +171,7 @@ public function setEncryptionCertificate($val) /** * Gets the encryptionCertificateId - * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. + * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. Required when includeResourceData is true. * * @return string|null The encryptionCertificateId */ @@ -186,7 +186,7 @@ public function getEncryptionCertificateId() /** * Sets the encryptionCertificateId - * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. + * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. Required when includeResourceData is true. * * @param string $val The encryptionCertificateId * @@ -200,7 +200,7 @@ public function setEncryptionCertificateId($val) /** * Gets the expirationDateTime - * Required. Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. + * Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. Required. * * @return \DateTime|null The expirationDateTime */ @@ -219,7 +219,7 @@ public function getExpirationDateTime() /** * Sets the expirationDateTime - * Required. Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. + * Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. Required. * * @param \DateTime $val The expirationDateTime * @@ -378,7 +378,7 @@ public function setNotificationQueryOptions($val) /** * Gets the notificationUrl - * Required. The URL of the endpoint that will receive the change notifications. This URL must make use of the HTTPS protocol. + * The URL of the endpoint that receives the change notifications. This URL must make use of the HTTPS protocol. Required. * * @return string|null The notificationUrl */ @@ -393,7 +393,7 @@ public function getNotificationUrl() /** * Sets the notificationUrl - * Required. The URL of the endpoint that will receive the change notifications. This URL must make use of the HTTPS protocol. + * The URL of the endpoint that receives the change notifications. This URL must make use of the HTTPS protocol. Required. * * @param string $val The notificationUrl * @@ -407,7 +407,7 @@ public function setNotificationUrl($val) /** * Gets the resource - * Required. Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/v1.0/). See the possible resource path values for each supported resource. + * Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/beta/). See the possible resource path values for each supported resource. Required. * * @return string|null The resource */ @@ -422,7 +422,7 @@ public function getResource() /** * Sets the resource - * Required. Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/v1.0/). See the possible resource path values for each supported resource. + * Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/beta/). See the possible resource path values for each supported resource. Required. * * @param string $val The resource * diff --git a/src/Beta/Microsoft/Graph/Model/SwapShiftsChangeRequest.php b/src/Beta/Microsoft/Graph/Model/SwapShiftsChangeRequest.php index 8d1581c71dc..7596ecdc396 100644 --- a/src/Beta/Microsoft/Graph/Model/SwapShiftsChangeRequest.php +++ b/src/Beta/Microsoft/Graph/Model/SwapShiftsChangeRequest.php @@ -26,7 +26,7 @@ class SwapShiftsChangeRequest extends OfferShiftRequest { /** * Gets the recipientShiftId - * ShiftId for the recipient user with whom the request is to swap. + * Shift ID for the recipient user with whom the request is to swap. * * @return string|null The recipientShiftId */ @@ -41,7 +41,7 @@ public function getRecipientShiftId() /** * Sets the recipientShiftId - * ShiftId for the recipient user with whom the request is to swap. + * Shift ID for the recipient user with whom the request is to swap. * * @param string $val The recipientShiftId * diff --git a/src/Beta/Microsoft/Graph/Model/TargetResource.php b/src/Beta/Microsoft/Graph/Model/TargetResource.php index afb6444905c..6261664a714 100644 --- a/src/Beta/Microsoft/Graph/Model/TargetResource.php +++ b/src/Beta/Microsoft/Graph/Model/TargetResource.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the groupType - * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue + * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue * * @return GroupType|null The groupType */ @@ -73,7 +73,7 @@ public function getGroupType() /** * Sets the groupType - * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue + * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue * * @param GroupType $val The value to assign to the groupType * diff --git a/src/Beta/Microsoft/Graph/Model/TargetedManagedAppPolicyAssignment.php b/src/Beta/Microsoft/Graph/Model/TargetedManagedAppPolicyAssignment.php index 2a71fe5206f..2dd0c4f4fb8 100644 --- a/src/Beta/Microsoft/Graph/Model/TargetedManagedAppPolicyAssignment.php +++ b/src/Beta/Microsoft/Graph/Model/TargetedManagedAppPolicyAssignment.php @@ -88,7 +88,7 @@ public function setSourceId($val) /** * Gets the target - * Identifier for deployment of a group or app + * Identifier for deployment to a group or app * * @return DeviceAndAppManagementAssignmentTarget|null The target */ @@ -107,7 +107,7 @@ public function getTarget() /** * Sets the target - * Identifier for deployment of a group or app + * Identifier for deployment to a group or app * * @param DeviceAndAppManagementAssignmentTarget $val The target * diff --git a/src/Beta/Microsoft/Graph/Model/TeamMemberSettings.php b/src/Beta/Microsoft/Graph/Model/TeamMemberSettings.php index 319dd0b78aa..449de8c4bbb 100644 --- a/src/Beta/Microsoft/Graph/Model/TeamMemberSettings.php +++ b/src/Beta/Microsoft/Graph/Model/TeamMemberSettings.php @@ -81,7 +81,7 @@ public function setAllowCreatePrivateChannels($val) } /** * Gets the allowCreateUpdateChannels - * If set to true, members can add and update channels. + * If set to true, members can add and update any channels. * * @return bool|null The allowCreateUpdateChannels */ @@ -96,7 +96,7 @@ public function getAllowCreateUpdateChannels() /** * Sets the allowCreateUpdateChannels - * If set to true, members can add and update channels. + * If set to true, members can add and update any channels. * * @param bool $val The value of the allowCreateUpdateChannels * diff --git a/src/Beta/Microsoft/Graph/Model/TeamsTab.php b/src/Beta/Microsoft/Graph/Model/TeamsTab.php index c50c0761b3d..0ad817f5b74 100644 --- a/src/Beta/Microsoft/Graph/Model/TeamsTab.php +++ b/src/Beta/Microsoft/Graph/Model/TeamsTab.php @@ -200,7 +200,7 @@ public function setWebUrl($val) /** * Gets the teamsApp - * The application that is linked to the tab. This cannot be changed after tab creation. + * The application that is linked to the tab. * * @return TeamsApp|null The teamsApp */ @@ -219,7 +219,7 @@ public function getTeamsApp() /** * Sets the teamsApp - * The application that is linked to the tab. This cannot be changed after tab creation. + * The application that is linked to the tab. * * @param TeamsApp $val The teamsApp * diff --git a/src/Beta/Microsoft/Graph/Model/TeamworkHostedContent.php b/src/Beta/Microsoft/Graph/Model/TeamworkHostedContent.php index 5b775136e27..48aab3f00c8 100644 --- a/src/Beta/Microsoft/Graph/Model/TeamworkHostedContent.php +++ b/src/Beta/Microsoft/Graph/Model/TeamworkHostedContent.php @@ -59,7 +59,7 @@ public function setContentBytes($val) /** * Gets the contentType - * Write only. Content type. sicj as image/png, image/jpg. + * Write only. Content type, such as image/png, image/jpg. * * @return string|null The contentType */ @@ -74,7 +74,7 @@ public function getContentType() /** * Sets the contentType - * Write only. Content type. sicj as image/png, image/jpg. + * Write only. Content type, such as image/png, image/jpg. * * @param string $val The contentType * diff --git a/src/Beta/Microsoft/Graph/Model/TermsExpiration.php b/src/Beta/Microsoft/Graph/Model/TermsExpiration.php index 9640f2fd8e8..995bc26b1ce 100644 --- a/src/Beta/Microsoft/Graph/Model/TermsExpiration.php +++ b/src/Beta/Microsoft/Graph/Model/TermsExpiration.php @@ -59,7 +59,7 @@ public function setFrequency($val) /** * Gets the startDateTime - * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z'. + * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @return \DateTime|null The startDateTime */ @@ -78,7 +78,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z'. + * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @param \DateTime $val The value to assign to the startDateTime * diff --git a/src/Beta/Microsoft/Graph/Model/ThreatAssessmentResult.php b/src/Beta/Microsoft/Graph/Model/ThreatAssessmentResult.php index 0afd5b8adfa..eb777a4fd75 100644 --- a/src/Beta/Microsoft/Graph/Model/ThreatAssessmentResult.php +++ b/src/Beta/Microsoft/Graph/Model/ThreatAssessmentResult.php @@ -88,7 +88,7 @@ public function setMessage($val) /** * Gets the resultType - * The threat assessment result type. Possible values are: checkPolicy, rescan. + * The threat assessment result type. Possible values are: checkPolicy (only for mail assessment), rescan. * * @return ThreatAssessmentResultType|null The resultType */ @@ -107,7 +107,7 @@ public function getResultType() /** * Sets the resultType - * The threat assessment result type. Possible values are: checkPolicy, rescan. + * The threat assessment result type. Possible values are: checkPolicy (only for mail assessment), rescan. * * @param ThreatAssessmentResultType $val The resultType * diff --git a/src/Beta/Microsoft/Graph/Model/TicketInfo.php b/src/Beta/Microsoft/Graph/Model/TicketInfo.php index 349084e318b..939111f12e1 100644 --- a/src/Beta/Microsoft/Graph/Model/TicketInfo.php +++ b/src/Beta/Microsoft/Graph/Model/TicketInfo.php @@ -25,6 +25,7 @@ class TicketInfo extends Entity { /** * Gets the ticketNumber + * Ticket number meta data * * @return string|null The ticketNumber */ @@ -39,6 +40,7 @@ public function getTicketNumber() /** * Sets the ticketNumber + * Ticket number meta data * * @param string $val The value of the ticketNumber * @@ -51,6 +53,7 @@ public function setTicketNumber($val) } /** * Gets the ticketSystem + * Ticket system meta data * * @return string|null The ticketSystem */ @@ -65,6 +68,7 @@ public function getTicketSystem() /** * Sets the ticketSystem + * Ticket system meta data * * @param string $val The value of the ticketSystem * diff --git a/src/Beta/Microsoft/Graph/Model/TimeConstraint.php b/src/Beta/Microsoft/Graph/Model/TimeConstraint.php index 63da96fd4a2..040bce9e58d 100644 --- a/src/Beta/Microsoft/Graph/Model/TimeConstraint.php +++ b/src/Beta/Microsoft/Graph/Model/TimeConstraint.php @@ -26,7 +26,7 @@ class TimeConstraint extends Entity /** * Gets the activityDomain - * The nature of the activity, optional. The possible values are: work, personal, unrestricted, or unknown. + * The nature of the activity, optional. Possible values are: work, personal, unrestricted, or unknown. * * @return ActivityDomain|null The activityDomain */ @@ -45,7 +45,7 @@ public function getActivityDomain() /** * Sets the activityDomain - * The nature of the activity, optional. The possible values are: work, personal, unrestricted, or unknown. + * The nature of the activity, optional. Possible values are: work, personal, unrestricted, or unknown. * * @param ActivityDomain $val The value to assign to the activityDomain * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignment.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignment.php index b9c3903d899..9d65ecfc16b 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignment.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignment.php @@ -26,7 +26,7 @@ class UnifiedRoleAssignment extends Entity { /** * Gets the appScopeId - * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Identifier of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -41,7 +41,7 @@ public function getAppScopeId() /** * Sets the appScopeId - * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Identifier of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -82,7 +82,7 @@ public function setCondition($val) /** * Gets the directoryScopeId - * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. + * Identifier of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -97,7 +97,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId - * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. + * Identifier of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -111,7 +111,7 @@ public function setDirectoryScopeId($val) /** * Gets the principalId - * Objectid of the principal to which the assignment is granted. + * Identifier of the principal to which the assignment is granted. Supports $filter (eq operator only). * * @return string|null The principalId */ @@ -126,7 +126,7 @@ public function getPrincipalId() /** * Sets the principalId - * Objectid of the principal to which the assignment is granted. + * Identifier of the principal to which the assignment is granted. Supports $filter (eq operator only). * * @param string $val The principalId * @@ -140,7 +140,7 @@ public function setPrincipalId($val) /** * Gets the resourceScope - * The scope at which the unifiedRoleAssignment applies. This is '/' for service-wide. DO NOT USE. This property will be deprecated soon. + * The scope at which the unifiedRoleAssignment applies. This is / for service-wide. DO NOT USE. This property will be deprecated soon. * * @return string|null The resourceScope */ @@ -155,7 +155,7 @@ public function getResourceScope() /** * Sets the resourceScope - * The scope at which the unifiedRoleAssignment applies. This is '/' for service-wide. DO NOT USE. This property will be deprecated soon. + * The scope at which the unifiedRoleAssignment applies. This is / for service-wide. DO NOT USE. This property will be deprecated soon. * * @param string $val The resourceScope * @@ -169,7 +169,7 @@ public function setResourceScope($val) /** * Gets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. Read only. + * Identifier of the unifiedRoleDefinition the assignment is for. Read-only. Supports $filter (eq operator only). * * @return string|null The roleDefinitionId */ @@ -184,7 +184,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. Read only. + * Identifier of the unifiedRoleDefinition the assignment is for. Read-only. Supports $filter (eq operator only). * * @param string $val The roleDefinitionId * @@ -198,6 +198,7 @@ public function setRoleDefinitionId($val) /** * Gets the appScope + * Details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -216,6 +217,7 @@ public function getAppScope() /** * Sets the appScope + * Details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -229,6 +231,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * The directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return DirectoryObject|null The directoryScope */ @@ -247,6 +250,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * The directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The directoryScope * @@ -260,6 +264,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * The assigned principal. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return DirectoryObject|null The principal */ @@ -278,6 +283,7 @@ public function getPrincipal() /** * Sets the principal + * The assigned principal. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The principal * @@ -291,6 +297,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * The roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.id will be auto expanded. Supports $expand. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -309,6 +316,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * The roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.id will be auto expanded. Supports $expand. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentMultiple.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentMultiple.php index 54b4ac7161c..f1e21387990 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentMultiple.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentMultiple.php @@ -26,7 +26,7 @@ class UnifiedRoleAssignmentMultiple extends Entity { /** * Gets the appScopeIds - * Ids of the app specific scopes when the assignment scopes are app specific. The scopes of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Ids of the app specific scopes when the assignment scopes are app specific. The scopes of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeIds */ @@ -41,7 +41,7 @@ public function getAppScopeIds() /** * Sets the appScopeIds - * Ids of the app specific scopes when the assignment scopes are app specific. The scopes of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Ids of the app specific scopes when the assignment scopes are app specific. The scopes of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeIds * @@ -169,7 +169,7 @@ public function setDisplayName($val) /** * Gets the principalIds - * Objectids of the principals to which the assignment is granted. + * Identifiers of the principals to which the assignment is granted. Supports $filter (any operator only). * * @return string|null The principalIds */ @@ -184,7 +184,7 @@ public function getPrincipalIds() /** * Sets the principalIds - * Objectids of the principals to which the assignment is granted. + * Identifiers of the principals to which the assignment is granted. Supports $filter (any operator only). * * @param string $val The principalIds * @@ -198,7 +198,7 @@ public function setPrincipalIds($val) /** * Gets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. + * Identifier of the unifiedRoleDefinition the assignment is for. * * @return string|null The roleDefinitionId */ @@ -213,7 +213,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. + * Identifier of the unifiedRoleDefinition the assignment is for. * * @param string $val The roleDefinitionId * @@ -228,6 +228,7 @@ public function setRoleDefinitionId($val) /** * Gets the appScopes + * Read-only collection with details of the app specific scopes when the assignment scopes are app specific. Containment entity. Read-only. * * @return array|null The appScopes */ @@ -242,6 +243,7 @@ public function getAppScopes() /** * Sets the appScopes + * Read-only collection with details of the app specific scopes when the assignment scopes are app specific. Containment entity. Read-only. * * @param AppScope $val The appScopes * @@ -256,6 +258,7 @@ public function setAppScopes($val) /** * Gets the directoryScopes + * Read-only collection referencing the directory objects that are scope of the assignment. Provided so that callers can get the directory objects using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return array|null The directoryScopes */ @@ -270,6 +273,7 @@ public function getDirectoryScopes() /** * Sets the directoryScopes + * Read-only collection referencing the directory objects that are scope of the assignment. Provided so that callers can get the directory objects using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The directoryScopes * @@ -284,6 +288,7 @@ public function setDirectoryScopes($val) /** * Gets the principals + * Read-only collection referencing the assigned principals. Provided so that callers can get the principals using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return array|null The principals */ @@ -298,6 +303,7 @@ public function getPrincipals() /** * Sets the principals + * Read-only collection referencing the assigned principals. Provided so that callers can get the principals using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The principals * @@ -311,6 +317,7 @@ public function setPrincipals($val) /** * Gets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. Read-only. Supports $filter (eq operator on id, isBuiltIn, and displayName, and startsWith operator on displayName) and $expand. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -329,6 +336,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. Read-only. Supports $filter (eq operator on id, isBuiltIn, and displayName, and startsWith operator on displayName) and $expand. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentSchedule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentSchedule.php index 7185d1eed53..f5e89efcf37 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentSchedule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentSchedule.php @@ -26,6 +26,7 @@ class UnifiedRoleAssignmentSchedule extends UnifiedRoleScheduleBase { /** * Gets the assignmentType + * Type of the assignment. It can either be Assigned or Activated. * * @return string|null The assignmentType */ @@ -40,6 +41,7 @@ public function getAssignmentType() /** * Sets the assignmentType + * Type of the assignment. It can either be Assigned or Activated. * * @param string $val The assignmentType * @@ -53,6 +55,7 @@ public function setAssignmentType($val) /** * Gets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @return string|null The memberType */ @@ -67,6 +70,7 @@ public function getMemberType() /** * Sets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @param string $val The memberType * @@ -80,6 +84,7 @@ public function setMemberType($val) /** * Gets the scheduleInfo + * The schedule object of the role assignment request. * * @return RequestSchedule|null The scheduleInfo */ @@ -98,6 +103,7 @@ public function getScheduleInfo() /** * Sets the scheduleInfo + * The schedule object of the role assignment request. * * @param RequestSchedule $val The scheduleInfo * @@ -111,6 +117,7 @@ public function setScheduleInfo($val) /** * Gets the activatedUsing + * If the roleAssignmentSchedule is activated by a roleEligibilitySchedule, this is the link to that schedule. * * @return UnifiedRoleEligibilitySchedule|null The activatedUsing */ @@ -129,6 +136,7 @@ public function getActivatedUsing() /** * Sets the activatedUsing + * If the roleAssignmentSchedule is activated by a roleEligibilitySchedule, this is the link to that schedule. * * @param UnifiedRoleEligibilitySchedule $val The activatedUsing * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleInstance.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleInstance.php index 2e90c7ca17b..4669c0aa5b1 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleInstance.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleInstance.php @@ -26,6 +26,7 @@ class UnifiedRoleAssignmentScheduleInstance extends UnifiedRoleScheduleInstanceB { /** * Gets the assignmentType + * Type of the assignment. It can either be Assigned or Activated. * * @return string|null The assignmentType */ @@ -40,6 +41,7 @@ public function getAssignmentType() /** * Sets the assignmentType + * Type of the assignment. It can either be Assigned or Activated. * * @param string $val The assignmentType * @@ -53,6 +55,7 @@ public function setAssignmentType($val) /** * Gets the endDateTime + * Time that the roleAssignmentInstance will expire * * @return \DateTime|null The endDateTime */ @@ -71,6 +74,7 @@ public function getEndDateTime() /** * Sets the endDateTime + * Time that the roleAssignmentInstance will expire * * @param \DateTime $val The endDateTime * @@ -84,6 +88,7 @@ public function setEndDateTime($val) /** * Gets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @return string|null The memberType */ @@ -98,6 +103,7 @@ public function getMemberType() /** * Sets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @param string $val The memberType * @@ -111,6 +117,7 @@ public function setMemberType($val) /** * Gets the roleAssignmentOriginId + * ID of the roleAssignment in the directory * * @return string|null The roleAssignmentOriginId */ @@ -125,6 +132,7 @@ public function getRoleAssignmentOriginId() /** * Sets the roleAssignmentOriginId + * ID of the roleAssignment in the directory * * @param string $val The roleAssignmentOriginId * @@ -138,6 +146,7 @@ public function setRoleAssignmentOriginId($val) /** * Gets the roleAssignmentScheduleId + * ID of the parent roleAssignmentSchedule for this instance * * @return string|null The roleAssignmentScheduleId */ @@ -152,6 +161,7 @@ public function getRoleAssignmentScheduleId() /** * Sets the roleAssignmentScheduleId + * ID of the parent roleAssignmentSchedule for this instance * * @param string $val The roleAssignmentScheduleId * @@ -165,6 +175,7 @@ public function setRoleAssignmentScheduleId($val) /** * Gets the startDateTime + * Time that the roleAssignmentInstance will start * * @return \DateTime|null The startDateTime */ @@ -183,6 +194,7 @@ public function getStartDateTime() /** * Sets the startDateTime + * Time that the roleAssignmentInstance will start * * @param \DateTime $val The startDateTime * @@ -196,6 +208,7 @@ public function setStartDateTime($val) /** * Gets the activatedUsing + * If the roleAssignmentScheduleInstance is activated by a roleEligibilityScheduleRequest, this is the link to the related schedule instance. * * @return UnifiedRoleEligibilityScheduleInstance|null The activatedUsing */ @@ -214,6 +227,7 @@ public function getActivatedUsing() /** * Sets the activatedUsing + * If the roleAssignmentScheduleInstance is activated by a roleEligibilityScheduleRequest, this is the link to the related schedule instance. * * @param UnifiedRoleEligibilityScheduleInstance $val The activatedUsing * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleRequest.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleRequest.php index e8e27bc011b..73ee399a7ce 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleRequest.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleAssignmentScheduleRequest.php @@ -26,6 +26,7 @@ class UnifiedRoleAssignmentScheduleRequest extends Request { /** * Gets the action + * Representing the type of the operation on the role assignment. The value can be AdminAdd: Administrators assign users/groups to roles;UserAdd: Users activate eligible assignments; AdminUpdate: Administrators change existing role assignmentsAdminRemove: Administrators remove users/groups from roles;UserRemove: Users deactivate active assignments;UserExtend: Users request to extend their expiring assignments;AdminExtend: Administrators extend expiring assignments.UserRenew: Users request to renew their expired assignments;AdminRenew: Administrators extend expiring assignments. * * @return string|null The action */ @@ -40,6 +41,7 @@ public function getAction() /** * Sets the action + * Representing the type of the operation on the role assignment. The value can be AdminAdd: Administrators assign users/groups to roles;UserAdd: Users activate eligible assignments; AdminUpdate: Administrators change existing role assignmentsAdminRemove: Administrators remove users/groups from roles;UserRemove: Users deactivate active assignments;UserExtend: Users request to extend their expiring assignments;AdminExtend: Administrators extend expiring assignments.UserRenew: Users request to renew their expired assignments;AdminRenew: Administrators extend expiring assignments. * * @param string $val The action * @@ -53,6 +55,7 @@ public function setAction($val) /** * Gets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -67,6 +70,7 @@ public function getAppScopeId() /** * Sets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -80,6 +84,7 @@ public function setAppScopeId($val) /** * Gets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -94,6 +99,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -107,6 +113,7 @@ public function setDirectoryScopeId($val) /** * Gets the isValidationOnly + * A boolean that determines whether the call is a validation or an actual call. Only set this property if you want to check whether an activation is subject to additional rules like MFA before actually submitting the request. * * @return bool|null The isValidationOnly */ @@ -121,6 +128,7 @@ public function getIsValidationOnly() /** * Sets the isValidationOnly + * A boolean that determines whether the call is a validation or an actual call. Only set this property if you want to check whether an activation is subject to additional rules like MFA before actually submitting the request. * * @param bool $val The isValidationOnly * @@ -134,6 +142,7 @@ public function setIsValidationOnly($val) /** * Gets the justification + * A message provided by users and administrators when create the request about why it is needed. * * @return string|null The justification */ @@ -148,6 +157,7 @@ public function getJustification() /** * Sets the justification + * A message provided by users and administrators when create the request about why it is needed. * * @param string $val The justification * @@ -161,6 +171,7 @@ public function setJustification($val) /** * Gets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @return string|null The principalId */ @@ -175,6 +186,7 @@ public function getPrincipalId() /** * Sets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @param string $val The principalId * @@ -188,6 +200,7 @@ public function setPrincipalId($val) /** * Gets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @return string|null The roleDefinitionId */ @@ -202,6 +215,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @param string $val The roleDefinitionId * @@ -215,6 +229,7 @@ public function setRoleDefinitionId($val) /** * Gets the scheduleInfo + * The schedule object of the role assignment request. * * @return RequestSchedule|null The scheduleInfo */ @@ -233,6 +248,7 @@ public function getScheduleInfo() /** * Sets the scheduleInfo + * The schedule object of the role assignment request. * * @param RequestSchedule $val The scheduleInfo * @@ -246,6 +262,7 @@ public function setScheduleInfo($val) /** * Gets the targetScheduleId + * ID of the schedule object attached to the assignment. * * @return string|null The targetScheduleId */ @@ -260,6 +277,7 @@ public function getTargetScheduleId() /** * Sets the targetScheduleId + * ID of the schedule object attached to the assignment. * * @param string $val The targetScheduleId * @@ -273,6 +291,7 @@ public function setTargetScheduleId($val) /** * Gets the ticketInfo + * The ticketInfo object attached to the role assignment request which includes details of the ticket number and ticket system. * * @return TicketInfo|null The ticketInfo */ @@ -291,6 +310,7 @@ public function getTicketInfo() /** * Sets the ticketInfo + * The ticketInfo object attached to the role assignment request which includes details of the ticket number and ticket system. * * @param TicketInfo $val The ticketInfo * @@ -304,6 +324,7 @@ public function setTicketInfo($val) /** * Gets the activatedUsing + * If the request is from an eligible administrator to activate a role, this parameter will show the related eligible assignment for that activation. * * @return UnifiedRoleEligibilitySchedule|null The activatedUsing */ @@ -322,6 +343,7 @@ public function getActivatedUsing() /** * Sets the activatedUsing + * If the request is from an eligible administrator to activate a role, this parameter will show the related eligible assignment for that activation. * * @param UnifiedRoleEligibilitySchedule $val The activatedUsing * @@ -335,6 +357,7 @@ public function setActivatedUsing($val) /** * Gets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -353,6 +376,7 @@ public function getAppScope() /** * Sets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -366,6 +390,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The directoryScope */ @@ -384,6 +409,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The directoryScope * @@ -397,6 +423,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The principal */ @@ -415,6 +442,7 @@ public function getPrincipal() /** * Sets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The principal * @@ -428,6 +456,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -446,6 +475,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleDefinition.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleDefinition.php index 00880ff137e..ffe3c37e546 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleDefinition.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleDefinition.php @@ -55,7 +55,7 @@ public function setDescription($val) /** * Gets the displayName - * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. + * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. Supports $filter (eq and startsWith operators only). * * @return string|null The displayName */ @@ -70,7 +70,7 @@ public function getDisplayName() /** * Sets the displayName - * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. + * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. Supports $filter (eq and startsWith operators only). * * @param string $val The displayName * @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the isBuiltIn - * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. + * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. Supports $filter (eq operator only). * * @return bool|null The isBuiltIn */ @@ -99,7 +99,7 @@ public function getIsBuiltIn() /** * Sets the isBuiltIn - * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. + * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. Supports $filter (eq operator only). * * @param bool $val The isBuiltIn * @@ -142,7 +142,7 @@ public function setIsEnabled($val) /** * Gets the resourceScopes - * List of scopes permissions granted by the role definition apply to. Currently only '/' is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment + * List of scopes permissions granted by the role definition apply to. Currently only / is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment * * @return string|null The resourceScopes */ @@ -157,7 +157,7 @@ public function getResourceScopes() /** * Sets the resourceScopes - * List of scopes permissions granted by the role definition apply to. Currently only '/' is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment + * List of scopes permissions granted by the role definition apply to. Currently only / is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment * * @param string $val The resourceScopes * @@ -260,6 +260,7 @@ public function setVersion($val) /** * Gets the inheritsPermissionsFrom + * Read-only collection of role definitions that the given role definition inherits from. Only Azure AD built-in roles support this attribute. * * @return array|null The inheritsPermissionsFrom */ @@ -274,6 +275,7 @@ public function getInheritsPermissionsFrom() /** * Sets the inheritsPermissionsFrom + * Read-only collection of role definitions that the given role definition inherits from. Only Azure AD built-in roles support this attribute. * * @param UnifiedRoleDefinition $val The inheritsPermissionsFrom * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilitySchedule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilitySchedule.php index f34c30d9775..19cd7de424f 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilitySchedule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilitySchedule.php @@ -26,6 +26,7 @@ class UnifiedRoleEligibilitySchedule extends UnifiedRoleScheduleBase { /** * Gets the memberType + * Membership type of the eligible assignment. It can either be Inherited, Direct, or Group. * * @return string|null The memberType */ @@ -40,6 +41,7 @@ public function getMemberType() /** * Sets the memberType + * Membership type of the eligible assignment. It can either be Inherited, Direct, or Group. * * @param string $val The memberType * @@ -53,6 +55,7 @@ public function setMemberType($val) /** * Gets the scheduleInfo + * The schedule object of the eligible role assignment request. * * @return RequestSchedule|null The scheduleInfo */ @@ -71,6 +74,7 @@ public function getScheduleInfo() /** * Sets the scheduleInfo + * The schedule object of the eligible role assignment request. * * @param RequestSchedule $val The scheduleInfo * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleInstance.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleInstance.php index d776bee9f2d..efa4b828ec2 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleInstance.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleInstance.php @@ -26,6 +26,7 @@ class UnifiedRoleEligibilityScheduleInstance extends UnifiedRoleScheduleInstance { /** * Gets the endDateTime + * Time that the roleEligibilityScheduleInstance will expire * * @return \DateTime|null The endDateTime */ @@ -44,6 +45,7 @@ public function getEndDateTime() /** * Sets the endDateTime + * Time that the roleEligibilityScheduleInstance will expire * * @param \DateTime $val The endDateTime * @@ -57,6 +59,7 @@ public function setEndDateTime($val) /** * Gets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @return string|null The memberType */ @@ -71,6 +74,7 @@ public function getMemberType() /** * Sets the memberType + * Membership type of the assignment. It can either be Inherited, Direct, or Group. * * @param string $val The memberType * @@ -84,6 +88,7 @@ public function setMemberType($val) /** * Gets the roleEligibilityScheduleId + * ID of the parent roleEligibilitySchedule for this instance * * @return string|null The roleEligibilityScheduleId */ @@ -98,6 +103,7 @@ public function getRoleEligibilityScheduleId() /** * Sets the roleEligibilityScheduleId + * ID of the parent roleEligibilitySchedule for this instance * * @param string $val The roleEligibilityScheduleId * @@ -111,6 +117,7 @@ public function setRoleEligibilityScheduleId($val) /** * Gets the startDateTime + * Time that the roleEligibilityScheduleInstance will start * * @return \DateTime|null The startDateTime */ @@ -129,6 +136,7 @@ public function getStartDateTime() /** * Sets the startDateTime + * Time that the roleEligibilityScheduleInstance will start * * @param \DateTime $val The startDateTime * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleRequest.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleRequest.php index e502af4d3cf..0607231b81a 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleRequest.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleEligibilityScheduleRequest.php @@ -26,6 +26,7 @@ class UnifiedRoleEligibilityScheduleRequest extends Request { /** * Gets the action + * Representing the type of the operation on the role assignment. The value can be AdminAdd: Administrators assign users/groups to roles;UserAdd: Users activate eligible assignments; AdminUpdate: Administrators change existing role assignmentsAdminRemove: Administrators remove users/groups from roles;UserRemove: Users deactivate active assignments;UserExtend: Users request to extend their expiring assignments;AdminExtend: Administrators extend expiring assignments.UserRenew: Users request to renew their expired assignments;AdminRenew: Administrators extend expiring assignments. * * @return string|null The action */ @@ -40,6 +41,7 @@ public function getAction() /** * Sets the action + * Representing the type of the operation on the role assignment. The value can be AdminAdd: Administrators assign users/groups to roles;UserAdd: Users activate eligible assignments; AdminUpdate: Administrators change existing role assignmentsAdminRemove: Administrators remove users/groups from roles;UserRemove: Users deactivate active assignments;UserExtend: Users request to extend their expiring assignments;AdminExtend: Administrators extend expiring assignments.UserRenew: Users request to renew their expired assignments;AdminRenew: Administrators extend expiring assignments. * * @param string $val The action * @@ -53,6 +55,7 @@ public function setAction($val) /** * Gets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -67,6 +70,7 @@ public function getAppScopeId() /** * Sets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -80,6 +84,7 @@ public function setAppScopeId($val) /** * Gets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -94,6 +99,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -107,6 +113,7 @@ public function setDirectoryScopeId($val) /** * Gets the isValidationOnly + * Boolean * * @return bool|null The isValidationOnly */ @@ -121,6 +128,7 @@ public function getIsValidationOnly() /** * Sets the isValidationOnly + * Boolean * * @param bool $val The isValidationOnly * @@ -134,6 +142,7 @@ public function setIsValidationOnly($val) /** * Gets the justification + * A message provided by users and administrators when create the request about why it is needed. * * @return string|null The justification */ @@ -148,6 +157,7 @@ public function getJustification() /** * Sets the justification + * A message provided by users and administrators when create the request about why it is needed. * * @param string $val The justification * @@ -161,6 +171,7 @@ public function setJustification($val) /** * Gets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @return string|null The principalId */ @@ -175,6 +186,7 @@ public function getPrincipalId() /** * Sets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @param string $val The principalId * @@ -188,6 +200,7 @@ public function setPrincipalId($val) /** * Gets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @return string|null The roleDefinitionId */ @@ -202,6 +215,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @param string $val The roleDefinitionId * @@ -215,6 +229,7 @@ public function setRoleDefinitionId($val) /** * Gets the scheduleInfo + * The schedule object of the role assignment request. * * @return RequestSchedule|null The scheduleInfo */ @@ -233,6 +248,7 @@ public function getScheduleInfo() /** * Sets the scheduleInfo + * The schedule object of the role assignment request. * * @param RequestSchedule $val The scheduleInfo * @@ -246,6 +262,7 @@ public function setScheduleInfo($val) /** * Gets the targetScheduleId + * ID of the schedule object attached to the assignment. * * @return string|null The targetScheduleId */ @@ -260,6 +277,7 @@ public function getTargetScheduleId() /** * Sets the targetScheduleId + * ID of the schedule object attached to the assignment. * * @param string $val The targetScheduleId * @@ -273,6 +291,7 @@ public function setTargetScheduleId($val) /** * Gets the ticketInfo + * The ticketInfo object attached to the role assignment request which includes details of the ticket number and ticket system. * * @return TicketInfo|null The ticketInfo */ @@ -291,6 +310,7 @@ public function getTicketInfo() /** * Sets the ticketInfo + * The ticketInfo object attached to the role assignment request which includes details of the ticket number and ticket system. * * @param TicketInfo $val The ticketInfo * @@ -304,6 +324,7 @@ public function setTicketInfo($val) /** * Gets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -322,6 +343,7 @@ public function getAppScope() /** * Sets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -335,6 +357,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The directoryScope */ @@ -353,6 +376,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The directoryScope * @@ -366,6 +390,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The principal */ @@ -384,6 +409,7 @@ public function getPrincipal() /** * Sets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The principal * @@ -397,6 +423,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -415,6 +442,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicy.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicy.php index a19f0e3aa9b..e1b3c7e8d0e 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicy.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicy.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicy extends Entity { /** * Gets the description + * Description for the policy. * * @return string|null The description */ @@ -40,6 +41,7 @@ public function getDescription() /** * Sets the description + * Description for the policy. * * @param string $val The description * @@ -53,6 +55,7 @@ public function setDescription($val) /** * Gets the displayName + * Display name for the policy. * * @return string|null The displayName */ @@ -67,6 +70,7 @@ public function getDisplayName() /** * Sets the displayName + * Display name for the policy. * * @param string $val The displayName * @@ -80,6 +84,7 @@ public function setDisplayName($val) /** * Gets the isOrganizationDefault + * This can only be set to true for a single tenant wide policy which will apply to all scopes and roles. Set the scopeId to '/' and scopeType to Directory. * * @return bool|null The isOrganizationDefault */ @@ -94,6 +99,7 @@ public function getIsOrganizationDefault() /** * Sets the isOrganizationDefault + * This can only be set to true for a single tenant wide policy which will apply to all scopes and roles. Set the scopeId to '/' and scopeType to Directory. * * @param bool $val The isOrganizationDefault * @@ -107,6 +113,7 @@ public function setIsOrganizationDefault($val) /** * Gets the lastModifiedBy + * The identity who last modified the role setting. * * @return Identity|null The lastModifiedBy */ @@ -125,6 +132,7 @@ public function getLastModifiedBy() /** * Sets the lastModifiedBy + * The identity who last modified the role setting. * * @param Identity $val The lastModifiedBy * @@ -138,6 +146,7 @@ public function setLastModifiedBy($val) /** * Gets the lastModifiedDateTime + * The time when the role setting was last modified. * * @return \DateTime|null The lastModifiedDateTime */ @@ -156,6 +165,7 @@ public function getLastModifiedDateTime() /** * Sets the lastModifiedDateTime + * The time when the role setting was last modified. * * @param \DateTime $val The lastModifiedDateTime * @@ -169,6 +179,7 @@ public function setLastModifiedDateTime($val) /** * Gets the scopeId + * The id of the scope where the policy is created. E.g. '/', groupId, etc. * * @return string|null The scopeId */ @@ -183,6 +194,7 @@ public function getScopeId() /** * Sets the scopeId + * The id of the scope where the policy is created. E.g. '/', groupId, etc. * * @param string $val The scopeId * @@ -196,6 +208,7 @@ public function setScopeId($val) /** * Gets the scopeType + * The type of the scope where the policy is created. One of Directory, DirectoryRole, Group. * * @return string|null The scopeType */ @@ -210,6 +223,7 @@ public function getScopeType() /** * Sets the scopeType + * The type of the scope where the policy is created. One of Directory, DirectoryRole, Group. * * @param string $val The scopeType * @@ -224,6 +238,7 @@ public function setScopeType($val) /** * Gets the effectiveRules + * The list of effective rules like approval rule, expiration rule, etc. evaluated based on inherited referenced rules. E.g. If there is a tenant wide policy to enforce enabling approval rule, the effective rule will be to enable approval even if the polcy has a rule to disable approval. * * @return array|null The effectiveRules */ @@ -238,6 +253,7 @@ public function getEffectiveRules() /** * Sets the effectiveRules + * The list of effective rules like approval rule, expiration rule, etc. evaluated based on inherited referenced rules. E.g. If there is a tenant wide policy to enforce enabling approval rule, the effective rule will be to enable approval even if the polcy has a rule to disable approval. * * @param UnifiedRoleManagementPolicyRule $val The effectiveRules * @@ -252,6 +268,7 @@ public function setEffectiveRules($val) /** * Gets the rules + * The collection of rules like approval rule, expiration rule, etc. * * @return array|null The rules */ @@ -266,6 +283,7 @@ public function getRules() /** * Sets the rules + * The collection of rules like approval rule, expiration rule, etc. * * @param UnifiedRoleManagementPolicyRule $val The rules * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyApprovalRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyApprovalRule.php index 7b9cc614581..81b972f20e1 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyApprovalRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyApprovalRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyApprovalRule extends UnifiedRoleManagementPolic { /** * Gets the setting + * The approval setting for the rule. * * @return ApprovalSettings|null The setting */ @@ -44,6 +45,7 @@ public function getSetting() /** * Sets the setting + * The approval setting for the rule. * * @param ApprovalSettings $val The setting * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAssignment.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAssignment.php index 85e2d21da3a..1bd99804cf2 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAssignment.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAssignment.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyAssignment extends Entity { /** * Gets the policyId + * The id of the policy. * * @return string|null The policyId */ @@ -40,6 +41,7 @@ public function getPolicyId() /** * Sets the policyId + * The id of the policy. * * @param string $val The policyId * @@ -53,6 +55,7 @@ public function setPolicyId($val) /** * Gets the roleDefinitionId + * The id of the role definition where the policy applies. If not specified, the policy applies to all roles. * * @return string|null The roleDefinitionId */ @@ -67,6 +70,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId + * The id of the role definition where the policy applies. If not specified, the policy applies to all roles. * * @param string $val The roleDefinitionId * @@ -80,6 +84,7 @@ public function setRoleDefinitionId($val) /** * Gets the scopeId + * The id of the scope where the policy is assigned. E.g. '/', groupId, etc. * * @return string|null The scopeId */ @@ -94,6 +99,7 @@ public function getScopeId() /** * Sets the scopeId + * The id of the scope where the policy is assigned. E.g. '/', groupId, etc. * * @param string $val The scopeId * @@ -107,6 +113,7 @@ public function setScopeId($val) /** * Gets the scopeType + * The type of the scope where the policy is assigned. One of Directory, DirectoryRole, Group. * * @return string|null The scopeType */ @@ -121,6 +128,7 @@ public function getScopeType() /** * Sets the scopeType + * The type of the scope where the policy is assigned. One of Directory, DirectoryRole, Group. * * @param string $val The scopeType * @@ -134,6 +142,7 @@ public function setScopeType($val) /** * Gets the policy + * The policy for the assignment. * * @return UnifiedRoleManagementPolicy|null The policy */ @@ -152,6 +161,7 @@ public function getPolicy() /** * Sets the policy + * The policy for the assignment. * * @param UnifiedRoleManagementPolicy $val The policy * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAuthenticationContextRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAuthenticationContextRule.php index 5c4f7033a33..4137554c1da 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAuthenticationContextRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyAuthenticationContextRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyAuthenticationContextRule extends UnifiedRoleMa { /** * Gets the claimValue + * Value of the authentication context claim. * * @return string|null The claimValue */ @@ -40,6 +41,7 @@ public function getClaimValue() /** * Sets the claimValue + * Value of the authentication context claim. * * @param string $val The claimValue * @@ -53,6 +55,7 @@ public function setClaimValue($val) /** * Gets the isEnabled + * Indicates if the setting is enabled. * * @return bool|null The isEnabled */ @@ -67,6 +70,7 @@ public function getIsEnabled() /** * Sets the isEnabled + * Indicates if the setting is enabled. * * @param bool $val The isEnabled * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyEnablementRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyEnablementRule.php index 0d18c15adf3..b0ac42fdf57 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyEnablementRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyEnablementRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyEnablementRule extends UnifiedRoleManagementPol { /** * Gets the enabledRules + * The rules which are enabled. Allowed values are MultifactorAuthentication, Justification, Ticketing. * * @return string|null The enabledRules */ @@ -40,6 +41,7 @@ public function getEnabledRules() /** * Sets the enabledRules + * The rules which are enabled. Allowed values are MultifactorAuthentication, Justification, Ticketing. * * @param string $val The enabledRules * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyExpirationRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyExpirationRule.php index f993ddfe034..3f910f33898 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyExpirationRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyExpirationRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyExpirationRule extends UnifiedRoleManagementPol { /** * Gets the isExpirationRequired + * Indicates if expiration is required for eligibility or assignment. * * @return bool|null The isExpirationRequired */ @@ -40,6 +41,7 @@ public function getIsExpirationRequired() /** * Sets the isExpirationRequired + * Indicates if expiration is required for eligibility or assignment. * * @param bool $val The isExpirationRequired * @@ -53,6 +55,7 @@ public function setIsExpirationRequired($val) /** * Gets the maximumDuration + * The maximum duration allowed for eligiblity or assignment which is not permanent. * * @return Duration|null The maximumDuration */ @@ -71,6 +74,7 @@ public function getMaximumDuration() /** * Sets the maximumDuration + * The maximum duration allowed for eligiblity or assignment which is not permanent. * * @param Duration $val The maximumDuration * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyNotificationRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyNotificationRule.php index 93787950108..94ff9617d4b 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyNotificationRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyNotificationRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyNotificationRule extends UnifiedRoleManagementP { /** * Gets the isDefaultRecipientsEnabled + * Whether default recipient is receiving the email or not. * * @return bool|null The isDefaultRecipientsEnabled */ @@ -40,6 +41,7 @@ public function getIsDefaultRecipientsEnabled() /** * Sets the isDefaultRecipientsEnabled + * Whether default recipient is receiving the email or not. * * @param bool $val The isDefaultRecipientsEnabled * @@ -53,6 +55,7 @@ public function setIsDefaultRecipientsEnabled($val) /** * Gets the notificationLevel + * The level of notification. One of None, Critical, All. * * @return string|null The notificationLevel */ @@ -67,6 +70,7 @@ public function getNotificationLevel() /** * Sets the notificationLevel + * The level of notification. One of None, Critical, All. * * @param string $val The notificationLevel * @@ -80,6 +84,7 @@ public function setNotificationLevel($val) /** * Gets the notificationRecipients + * The list of notification recepients like email. * * @return string|null The notificationRecipients */ @@ -94,6 +99,7 @@ public function getNotificationRecipients() /** * Sets the notificationRecipients + * The list of notification recepients like email. * * @param string $val The notificationRecipients * @@ -107,6 +113,7 @@ public function setNotificationRecipients($val) /** * Gets the notificationType + * The type of notification. One of Email. * * @return string|null The notificationType */ @@ -121,6 +128,7 @@ public function getNotificationType() /** * Sets the notificationType + * The type of notification. One of Email. * * @param string $val The notificationType * @@ -134,6 +142,7 @@ public function setNotificationType($val) /** * Gets the recipientType + * The type of recipient. One of Requestor, Approver, Admin. * * @return string|null The recipientType */ @@ -148,6 +157,7 @@ public function getRecipientType() /** * Sets the recipientType + * The type of recipient. One of Requestor, Approver, Admin. * * @param string $val The recipientType * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyRule.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyRule.php index a6f8f4ce252..7f2a9c38e4d 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyRule.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleManagementPolicyRule.php @@ -26,6 +26,7 @@ class UnifiedRoleManagementPolicyRule extends Entity { /** * Gets the target + * The target for the policy rule. * * @return UnifiedRoleManagementPolicyRuleTarget|null The target */ @@ -44,6 +45,7 @@ public function getTarget() /** * Sets the target + * The target for the policy rule. * * @param UnifiedRoleManagementPolicyRuleTarget $val The target * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleBase.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleBase.php index 8053089fbec..8bcf4161733 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleBase.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleBase.php @@ -26,6 +26,7 @@ class UnifiedRoleScheduleBase extends Entity { /** * Gets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -40,6 +41,7 @@ public function getAppScopeId() /** * Sets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -53,6 +55,7 @@ public function setAppScopeId($val) /** * Gets the createdDateTime + * Time that the schedule was created. * * @return \DateTime|null The createdDateTime */ @@ -71,6 +74,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime + * Time that the schedule was created. * * @param \DateTime $val The createdDateTime * @@ -84,6 +88,7 @@ public function setCreatedDateTime($val) /** * Gets the createdUsing + * ID of the roleAssignmentScheduleRequest that created this schedule. * * @return string|null The createdUsing */ @@ -98,6 +103,7 @@ public function getCreatedUsing() /** * Sets the createdUsing + * ID of the roleAssignmentScheduleRequest that created this schedule. * * @param string $val The createdUsing * @@ -111,6 +117,7 @@ public function setCreatedUsing($val) /** * Gets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -125,6 +132,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -138,6 +146,7 @@ public function setDirectoryScopeId($val) /** * Gets the modifiedDateTime + * Last time the schedule was updated. * * @return \DateTime|null The modifiedDateTime */ @@ -156,6 +165,7 @@ public function getModifiedDateTime() /** * Sets the modifiedDateTime + * Last time the schedule was updated. * * @param \DateTime $val The modifiedDateTime * @@ -169,6 +179,7 @@ public function setModifiedDateTime($val) /** * Gets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @return string|null The principalId */ @@ -183,6 +194,7 @@ public function getPrincipalId() /** * Sets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @param string $val The principalId * @@ -196,6 +208,7 @@ public function setPrincipalId($val) /** * Gets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @return string|null The roleDefinitionId */ @@ -210,6 +223,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @param string $val The roleDefinitionId * @@ -223,6 +237,7 @@ public function setRoleDefinitionId($val) /** * Gets the status + * Status for the roleAssignmentSchedule. It can include state related messages like Provisioned, Revoked, Pending Provisioning, and Pending Approval. * * @return string|null The status */ @@ -237,6 +252,7 @@ public function getStatus() /** * Sets the status + * Status for the roleAssignmentSchedule. It can include state related messages like Provisioned, Revoked, Pending Provisioning, and Pending Approval. * * @param string $val The status * @@ -250,6 +266,7 @@ public function setStatus($val) /** * Gets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -268,6 +285,7 @@ public function getAppScope() /** * Sets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -281,6 +299,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The directoryScope */ @@ -299,6 +318,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * Property referencing the directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The directoryScope * @@ -312,6 +332,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The principal */ @@ -330,6 +351,7 @@ public function getPrincipal() /** * Sets the principal + * Property referencing the principal that is getting a role assignment through the request. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The principal * @@ -343,6 +365,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -361,6 +384,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * Property indicating the roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.Id will be auto expanded. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleInstanceBase.php b/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleInstanceBase.php index 7b1c99ba3da..fd7deacfadf 100644 --- a/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleInstanceBase.php +++ b/src/Beta/Microsoft/Graph/Model/UnifiedRoleScheduleInstanceBase.php @@ -26,6 +26,7 @@ class UnifiedRoleScheduleInstanceBase extends Entity { /** * Gets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -40,6 +41,7 @@ public function getAppScopeId() /** * Sets the appScopeId + * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -53,6 +55,7 @@ public function setAppScopeId($val) /** * Gets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -67,6 +70,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId + * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -80,6 +84,7 @@ public function setDirectoryScopeId($val) /** * Gets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @return string|null The principalId */ @@ -94,6 +99,7 @@ public function getPrincipalId() /** * Sets the principalId + * Objectid of the principal to which the assignment is being granted to. * * @param string $val The principalId * @@ -107,6 +113,7 @@ public function setPrincipalId($val) /** * Gets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @return string|null The roleDefinitionId */ @@ -121,6 +128,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId + * ID of the unifiedRoleDefinition the assignment is for. Read only. * * @param string $val The roleDefinitionId * @@ -134,6 +142,7 @@ public function setRoleDefinitionId($val) /** * Gets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -152,6 +161,7 @@ public function getAppScope() /** * Sets the appScope + * Read-only property with details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -165,6 +175,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * The directory object that is the scope of the assignment. Enables the retrieval of the directory object using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The directoryScope */ @@ -183,6 +194,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * The directory object that is the scope of the assignment. Enables the retrieval of the directory object using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The directoryScope * @@ -196,6 +208,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * The principal that is getting a role assignment through the request. Enables the retrieval of the principal using $expand at the same time as getting the role assignment. Read-only. * * @return DirectoryObject|null The principal */ @@ -214,6 +227,7 @@ public function getPrincipal() /** * Sets the principal + * The principal that is getting a role assignment through the request. Enables the retrieval of the principal using $expand at the same time as getting the role assignment. Read-only. * * @param DirectoryObject $val The principal * @@ -227,6 +241,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * The roleDefinition for the assignment. Enables the retrieval of the role definition using $expand at the same time as getting the role assignment. The roleDefinition.Id is automatically expanded. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -245,6 +260,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * The roleDefinition for the assignment. Enables the retrieval of the role definition using $expand at the same time as getting the role assignment. The roleDefinition.Id is automatically expanded. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Beta/Microsoft/Graph/Model/UploadSession.php b/src/Beta/Microsoft/Graph/Model/UploadSession.php index 5def4b3a2c8..5c04a69c0b4 100644 --- a/src/Beta/Microsoft/Graph/Model/UploadSession.php +++ b/src/Beta/Microsoft/Graph/Model/UploadSession.php @@ -58,7 +58,7 @@ public function setExpirationDateTime($val) } /** * Gets the nextExpectedRanges - * A collection of byte ranges that the server is missing for the file. These ranges are zero indexed and of the format 'start-end' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. + * When uploading files to document libraries, this is a collection of byte ranges that the server is missing for the file. These ranges are zero-indexed and of the format, '{start}-{end}' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. * * @return string|null The nextExpectedRanges */ @@ -73,7 +73,7 @@ public function getNextExpectedRanges() /** * Sets the nextExpectedRanges - * A collection of byte ranges that the server is missing for the file. These ranges are zero indexed and of the format 'start-end' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. + * When uploading files to document libraries, this is a collection of byte ranges that the server is missing for the file. These ranges are zero-indexed and of the format, '{start}-{end}' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. * * @param string $val The value of the nextExpectedRanges * diff --git a/src/Beta/Microsoft/Graph/Model/User.php b/src/Beta/Microsoft/Graph/Model/User.php index 06c2250e791..7a68de91daa 100644 --- a/src/Beta/Microsoft/Graph/Model/User.php +++ b/src/Beta/Microsoft/Graph/Model/User.php @@ -59,7 +59,7 @@ public function setSignInActivity($val) /** * Gets the accountEnabled - * true if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * true if the account is enabled; otherwise, false. This property is required when a user is created. Returned only on $select. Supports $filter. * * @return bool|null The accountEnabled */ @@ -74,7 +74,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * true if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * true if the account is enabled; otherwise, false. This property is required when a user is created. Returned only on $select. Supports $filter. * * @param bool $val The accountEnabled * @@ -88,7 +88,7 @@ public function setAccountEnabled($val) /** * Gets the ageGroup - * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. + * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The ageGroup */ @@ -103,7 +103,7 @@ public function getAgeGroup() /** * Sets the ageGroup - * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. + * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The ageGroup * @@ -118,7 +118,7 @@ public function setAgeGroup($val) /** * Gets the assignedLicenses - * The licenses that are assigned to the user. Returned only on $select. Not nullable. Supports $filter. + * The licenses that are assigned to the user. Not nullable. Supports $filter. * * @return array|null The assignedLicenses */ @@ -133,7 +133,7 @@ public function getAssignedLicenses() /** * Sets the assignedLicenses - * The licenses that are assigned to the user. Returned only on $select. Not nullable. Supports $filter. + * The licenses that are assigned to the user. Not nullable. Supports $filter. * * @param AssignedLicense $val The assignedLicenses * @@ -148,7 +148,7 @@ public function setAssignedLicenses($val) /** * Gets the assignedPlans - * The plans that are assigned to the user. Read-only. Not nullable. + * The plans that are assigned to the user. Returned only on $select. Read-only. Not nullable. * * @return array|null The assignedPlans */ @@ -163,7 +163,7 @@ public function getAssignedPlans() /** * Sets the assignedPlans - * The plans that are assigned to the user. Read-only. Not nullable. + * The plans that are assigned to the user. Returned only on $select. Read-only. Not nullable. * * @param AssignedPlan $val The assignedPlans * @@ -177,7 +177,7 @@ public function setAssignedPlans($val) /** * Gets the businessPhones - * The telephone numbers for the user. NOTE: Although this is a string collection, only one number can be set for this property. Read-only for users synced from on-premises directory. Returned by default. + * The telephone numbers for the user. Only one number can be set for this property. Returned by default. Read-only for users synced from on-premises directory. * * @return string|null The businessPhones */ @@ -192,7 +192,7 @@ public function getBusinessPhones() /** * Sets the businessPhones - * The telephone numbers for the user. NOTE: Although this is a string collection, only one number can be set for this property. Read-only for users synced from on-premises directory. Returned by default. + * The telephone numbers for the user. Only one number can be set for this property. Returned by default. Read-only for users synced from on-premises directory. * * @param string $val The businessPhones * @@ -206,7 +206,7 @@ public function setBusinessPhones($val) /** * Gets the city - * The city in which the user is located. Maximum length is 128 characters. Supports $filter. + * The city in which the user is located. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The city */ @@ -221,7 +221,7 @@ public function getCity() /** * Sets the city - * The city in which the user is located. Maximum length is 128 characters. Supports $filter. + * The city in which the user is located. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The city * @@ -264,7 +264,7 @@ public function setCompanyName($val) /** * Gets the consentProvidedForMinor - * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. + * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The consentProvidedForMinor */ @@ -279,7 +279,7 @@ public function getConsentProvidedForMinor() /** * Sets the consentProvidedForMinor - * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. + * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The consentProvidedForMinor * @@ -293,7 +293,7 @@ public function setConsentProvidedForMinor($val) /** * Gets the country - * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Supports $filter. + * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The country */ @@ -308,7 +308,7 @@ public function getCountry() /** * Sets the country - * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Supports $filter. + * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The country * @@ -322,7 +322,7 @@ public function setCountry($val) /** * Gets the createdDateTime - * The created date of the user object. Supports $filter with the eq, lt, and ge operators. + * The date and time the user was created. The value cannot be modified and is automatically populated when the entity is created. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. Property is nullable. A null value indicates that an accurate creation time couldn't be determined for the user. Returned only on $select. Read-only. Supports $filter with the eq, lt, and ge operators. * * @return \DateTime|null The createdDateTime */ @@ -341,7 +341,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * The created date of the user object. Supports $filter with the eq, lt, and ge operators. + * The date and time the user was created. The value cannot be modified and is automatically populated when the entity is created. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. Property is nullable. A null value indicates that an accurate creation time couldn't be determined for the user. Returned only on $select. Read-only. Supports $filter with the eq, lt, and ge operators. * * @param \DateTime $val The createdDateTime * @@ -355,7 +355,7 @@ public function setCreatedDateTime($val) /** * Gets the creationType - * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Read-only. + * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Returned only on $select. Read-only. * * @return string|null The creationType */ @@ -370,7 +370,7 @@ public function getCreationType() /** * Sets the creationType - * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Read-only. + * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Returned only on $select. Read-only. * * @param string $val The creationType * @@ -384,7 +384,7 @@ public function setCreationType($val) /** * Gets the department - * The name for the department in which the user works. Maximum length is 64 characters. Supports $filter. + * The name for the department in which the user works. Maximum length is 64 characters.Returned only on $select. Supports $filter. * * @return string|null The department */ @@ -399,7 +399,7 @@ public function getDepartment() /** * Sets the department - * The name for the department in which the user works. Maximum length is 64 characters. Supports $filter. + * The name for the department in which the user works. Maximum length is 64 characters.Returned only on $select. Supports $filter. * * @param string $val The department * @@ -441,7 +441,7 @@ public function setDeviceKeys($val) /** * Gets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. + * The name displayed in the address book for the user. This value is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. * * @return string|null The displayName */ @@ -456,7 +456,7 @@ public function getDisplayName() /** * Sets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. + * The name displayed in the address book for the user. This value is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. * * @param string $val The displayName * @@ -565,7 +565,7 @@ public function setEmployeeOrgData($val) /** * Gets the employeeType - * Captures enterprise worker type: Employee, Contractor, Consultant, Vendor, etc. Returned only on $select. Supports $filter. + * Captures enterprise worker type. For example, Employee, Contractor, Consultant, or Vendor. Returned only on $select. Supports $filter with the eq operator. * * @return string|null The employeeType */ @@ -580,7 +580,7 @@ public function getEmployeeType() /** * Sets the employeeType - * Captures enterprise worker type: Employee, Contractor, Consultant, Vendor, etc. Returned only on $select. Supports $filter. + * Captures enterprise worker type. For example, Employee, Contractor, Consultant, or Vendor. Returned only on $select. Supports $filter with the eq operator. * * @param string $val The employeeType * @@ -652,7 +652,7 @@ public function setExternalUserStateChangeDateTime($val) /** * Gets the faxNumber - * The fax number of the user. + * The fax number of the user. Returned only on $select. * * @return string|null The faxNumber */ @@ -667,7 +667,7 @@ public function getFaxNumber() /** * Sets the faxNumber - * The fax number of the user. + * The fax number of the user. Returned only on $select. * * @param string $val The faxNumber * @@ -681,7 +681,7 @@ public function setFaxNumber($val) /** * Gets the givenName - * The given name (first name) of the user. Returned by default. Maximum length is 64 characters. Supports $filter. + * The given name (first name) of the user. Maximum length is 64 characters. Returned by default. Supports $filter. * * @return string|null The givenName */ @@ -696,7 +696,7 @@ public function getGivenName() /** * Sets the givenName - * The given name (first name) of the user. Returned by default. Maximum length is 64 characters. Supports $filter. + * The given name (first name) of the user. Maximum length is 64 characters. Returned by default. Supports $filter. * * @param string $val The givenName * @@ -711,7 +711,7 @@ public function setGivenName($val) /** * Gets the identities - * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Supports $filter. + * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Returned only on $select. Supports $filter. * * @return array|null The identities */ @@ -726,7 +726,7 @@ public function getIdentities() /** * Sets the identities - * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Supports $filter. + * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Returned only on $select. Supports $filter. * * @param ObjectIdentity $val The identities * @@ -827,7 +827,7 @@ public function setIsResourceAccount($val) /** * Gets the jobTitle - * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter. + * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter (eq and startsWith operators). * * @return string|null The jobTitle */ @@ -842,7 +842,7 @@ public function getJobTitle() /** * Sets the jobTitle - * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter. + * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter (eq and startsWith operators). * * @param string $val The jobTitle * @@ -856,7 +856,7 @@ public function setJobTitle($val) /** * Gets the lastPasswordChangeDateTime - * The time when this Azure AD user last changed their password. The date and time information uses ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The time when this Azure AD user last changed their password. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. Read-only. * * @return \DateTime|null The lastPasswordChangeDateTime */ @@ -875,7 +875,7 @@ public function getLastPasswordChangeDateTime() /** * Sets the lastPasswordChangeDateTime - * The time when this Azure AD user last changed their password. The date and time information uses ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The time when this Azure AD user last changed their password. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. Read-only. * * @param \DateTime $val The lastPasswordChangeDateTime * @@ -889,7 +889,7 @@ public function setLastPasswordChangeDateTime($val) /** * Gets the legalAgeGroupClassification - * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. + * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The legalAgeGroupClassification */ @@ -904,7 +904,7 @@ public function getLegalAgeGroupClassification() /** * Sets the legalAgeGroupClassification - * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. + * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The legalAgeGroupClassification * @@ -919,7 +919,7 @@ public function setLegalAgeGroupClassification($val) /** * Gets the licenseAssignmentStates - * State of license assignments for this user. Read-only. + * State of license assignments for this user. Returned only on $select. Read-only. * * @return array|null The licenseAssignmentStates */ @@ -934,7 +934,7 @@ public function getLicenseAssignmentStates() /** * Sets the licenseAssignmentStates - * State of license assignments for this user. Read-only. + * State of license assignments for this user. Returned only on $select. Read-only. * * @param LicenseAssignmentState $val The licenseAssignmentStates * @@ -948,7 +948,7 @@ public function setLicenseAssignmentStates($val) /** * Gets the mail - * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user. Returned by default. Supports $filter and endsWith. + * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user.Returned by default. Supports $filter and endsWith. * * @return string|null The mail */ @@ -963,7 +963,7 @@ public function getMail() /** * Sets the mail - * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user. Returned by default. Supports $filter and endsWith. + * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user.Returned by default. Supports $filter and endsWith. * * @param string $val The mail * @@ -977,7 +977,7 @@ public function setMail($val) /** * Gets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Returned only on $select. Supports $filter. * * @return string|null The mailNickname */ @@ -992,7 +992,7 @@ public function getMailNickname() /** * Sets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Returned only on $select. Supports $filter. * * @param string $val The mailNickname * @@ -1006,7 +1006,7 @@ public function setMailNickname($val) /** * Gets the mobilePhone - * The primary cellular telephone number for the user. Read-only for users synced from on-premises directory. Maximum length is 64 characters. Returned by default. + * The primary cellular telephone number for the user. Returned by default. Read-only for users synced from on-premises directory. * * @return string|null The mobilePhone */ @@ -1021,7 +1021,7 @@ public function getMobilePhone() /** * Sets the mobilePhone - * The primary cellular telephone number for the user. Read-only for users synced from on-premises directory. Maximum length is 64 characters. Returned by default. + * The primary cellular telephone number for the user. Returned by default. Read-only for users synced from on-premises directory. * * @param string $val The mobilePhone * @@ -1035,7 +1035,7 @@ public function setMobilePhone($val) /** * Gets the officeLocation - * The office location in the user's place of business. Returned by default. + * The office location in the user's place of business. Maximum length is 128 characters. Returned by default. * * @return string|null The officeLocation */ @@ -1050,7 +1050,7 @@ public function getOfficeLocation() /** * Sets the officeLocation - * The office location in the user's place of business. Returned by default. + * The office location in the user's place of business. Maximum length is 128 characters. Returned by default. * * @param string $val The officeLocation * @@ -1064,7 +1064,7 @@ public function setOfficeLocation($val) /** * Gets the onPremisesDistinguishedName - * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesDistinguishedName */ @@ -1079,7 +1079,7 @@ public function getOnPremisesDistinguishedName() /** * Sets the onPremisesDistinguishedName - * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesDistinguishedName * @@ -1093,7 +1093,7 @@ public function setOnPremisesDistinguishedName($val) /** * Gets the onPremisesDomainName - * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesDomainName */ @@ -1108,7 +1108,7 @@ public function getOnPremisesDomainName() /** * Sets the onPremisesDomainName - * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesDomainName * @@ -1122,7 +1122,7 @@ public function setOnPremisesDomainName($val) /** * Gets the onPremisesExtensionAttributes - * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. + * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. Returned only on $select. * * @return OnPremisesExtensionAttributes|null The onPremisesExtensionAttributes */ @@ -1141,7 +1141,7 @@ public function getOnPremisesExtensionAttributes() /** * Sets the onPremisesExtensionAttributes - * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. + * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. Returned only on $select. * * @param OnPremisesExtensionAttributes $val The onPremisesExtensionAttributes * @@ -1155,7 +1155,7 @@ public function setOnPremisesExtensionAttributes($val) /** * Gets the onPremisesImmutableId - * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Supports $filter. + * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Returned only on $select. Supports $filter. * * @return string|null The onPremisesImmutableId */ @@ -1170,7 +1170,7 @@ public function getOnPremisesImmutableId() /** * Sets the onPremisesImmutableId - * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Supports $filter. + * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Returned only on $select. Supports $filter. * * @param string $val The onPremisesImmutableId * @@ -1184,7 +1184,7 @@ public function setOnPremisesImmutableId($val) /** * Gets the onPremisesLastSyncDateTime - * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Returned only on $select. Read-only. * * @return \DateTime|null The onPremisesLastSyncDateTime */ @@ -1203,7 +1203,7 @@ public function getOnPremisesLastSyncDateTime() /** * Sets the onPremisesLastSyncDateTime - * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Returned only on $select. Read-only. * * @param \DateTime $val The onPremisesLastSyncDateTime * @@ -1218,7 +1218,7 @@ public function setOnPremisesLastSyncDateTime($val) /** * Gets the onPremisesProvisioningErrors - * Errors when using Microsoft synchronization product during provisioning. + * Errors when using Microsoft synchronization product during provisioning. Returned only on $select. * * @return array|null The onPremisesProvisioningErrors */ @@ -1233,7 +1233,7 @@ public function getOnPremisesProvisioningErrors() /** * Sets the onPremisesProvisioningErrors - * Errors when using Microsoft synchronization product during provisioning. + * Errors when using Microsoft synchronization product during provisioning. Returned only on $select. * * @param OnPremisesProvisioningError $val The onPremisesProvisioningErrors * @@ -1247,7 +1247,7 @@ public function setOnPremisesProvisioningErrors($val) /** * Gets the onPremisesSamAccountName - * Contains the on-premises samAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises sAMAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesSamAccountName */ @@ -1262,7 +1262,7 @@ public function getOnPremisesSamAccountName() /** * Sets the onPremisesSamAccountName - * Contains the on-premises samAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises sAMAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesSamAccountName * @@ -1276,7 +1276,7 @@ public function setOnPremisesSamAccountName($val) /** * Gets the onPremisesSecurityIdentifier - * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Read-only. + * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Returned only on $select. Read-only. * * @return string|null The onPremisesSecurityIdentifier */ @@ -1291,7 +1291,7 @@ public function getOnPremisesSecurityIdentifier() /** * Sets the onPremisesSecurityIdentifier - * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Read-only. + * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Returned only on $select. Read-only. * * @param string $val The onPremisesSecurityIdentifier * @@ -1305,7 +1305,7 @@ public function setOnPremisesSecurityIdentifier($val) /** * Gets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Read-only + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Returned only on $select. Read-only. * * @return bool|null The onPremisesSyncEnabled */ @@ -1320,7 +1320,7 @@ public function getOnPremisesSyncEnabled() /** * Sets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Read-only + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Returned only on $select. Read-only. * * @param bool $val The onPremisesSyncEnabled * @@ -1334,7 +1334,7 @@ public function setOnPremisesSyncEnabled($val) /** * Gets the onPremisesUserPrincipalName - * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesUserPrincipalName */ @@ -1349,7 +1349,7 @@ public function getOnPremisesUserPrincipalName() /** * Sets the onPremisesUserPrincipalName - * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesUserPrincipalName * @@ -1363,7 +1363,7 @@ public function setOnPremisesUserPrincipalName($val) /** * Gets the otherMails - * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com']. NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user. Supports $filter. + * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com'].NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user.Returned only on $select. Supports$filter. * * @return string|null The otherMails */ @@ -1378,7 +1378,7 @@ public function getOtherMails() /** * Sets the otherMails - * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com']. NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user. Supports $filter. + * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com'].NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user.Returned only on $select. Supports$filter. * * @param string $val The otherMails * @@ -1392,7 +1392,7 @@ public function setOtherMails($val) /** * Gets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'.Returned only on $select. * * @return string|null The passwordPolicies */ @@ -1407,7 +1407,7 @@ public function getPasswordPolicies() /** * Sets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'.Returned only on $select. * * @param string $val The passwordPolicies * @@ -1421,7 +1421,7 @@ public function setPasswordPolicies($val) /** * Gets the passwordProfile - * Specifies the password profile for the user. The profile contains the user’s password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. Returned only on $select. * * @return PasswordProfile|null The passwordProfile */ @@ -1440,7 +1440,7 @@ public function getPasswordProfile() /** * Sets the passwordProfile - * Specifies the password profile for the user. The profile contains the user’s password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. Returned only on $select. * * @param PasswordProfile $val The passwordProfile * @@ -1454,7 +1454,7 @@ public function setPasswordProfile($val) /** * Gets the postalCode - * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. + * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. Returned only on $select. * * @return string|null The postalCode */ @@ -1469,7 +1469,7 @@ public function getPostalCode() /** * Sets the postalCode - * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. + * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. Returned only on $select. * * @param string $val The postalCode * @@ -1542,7 +1542,7 @@ public function setPreferredLanguage($val) /** * Gets the provisionedPlans - * The plans that are provisioned for the user. Read-only. Not nullable. + * The plans that are provisioned for the user. Returned only on $select. Read-only. Not nullable. * * @return array|null The provisionedPlans */ @@ -1557,7 +1557,7 @@ public function getProvisionedPlans() /** * Sets the provisionedPlans - * The plans that are provisioned for the user. Read-only. Not nullable. + * The plans that are provisioned for the user. Returned only on $select. Read-only. Not nullable. * * @param ProvisionedPlan $val The provisionedPlans * @@ -1571,7 +1571,7 @@ public function setProvisionedPlans($val) /** * Gets the proxyAddresses - * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Read-only, Not nullable. Supports $filter. + * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Returned only on $select. Read-only, Not nullable. Supports $filter. * * @return string|null The proxyAddresses */ @@ -1586,7 +1586,7 @@ public function getProxyAddresses() /** * Sets the proxyAddresses - * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Read-only, Not nullable. Supports $filter. + * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Returned only on $select. Read-only, Not nullable. Supports $filter. * * @param string $val The proxyAddresses * @@ -1600,7 +1600,7 @@ public function setProxyAddresses($val) /** * Gets the refreshTokensValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use invalidateAllRefreshTokens to reset. * * @return \DateTime|null The refreshTokensValidFromDateTime */ @@ -1619,7 +1619,7 @@ public function getRefreshTokensValidFromDateTime() /** * Sets the refreshTokensValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use invalidateAllRefreshTokens to reset. * * @param \DateTime $val The refreshTokensValidFromDateTime * @@ -1633,7 +1633,7 @@ public function setRefreshTokensValidFromDateTime($val) /** * Gets the showInAddressList - * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. Returned only on $select. * * @return bool|null The showInAddressList */ @@ -1648,7 +1648,7 @@ public function getShowInAddressList() /** * Sets the showInAddressList - * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. Returned only on $select. * * @param bool $val The showInAddressList * @@ -1662,7 +1662,7 @@ public function setShowInAddressList($val) /** * Gets the signInSessionsValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Read-only. Use revokeSignInSessions to reset. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use revokeSignInSessions to reset. * * @return \DateTime|null The signInSessionsValidFromDateTime */ @@ -1681,7 +1681,7 @@ public function getSignInSessionsValidFromDateTime() /** * Sets the signInSessionsValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Read-only. Use revokeSignInSessions to reset. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use revokeSignInSessions to reset. * * @param \DateTime $val The signInSessionsValidFromDateTime * @@ -1695,7 +1695,7 @@ public function setSignInSessionsValidFromDateTime($val) /** * Gets the state - * The state or province in the user's address. Maximum length is 128 characters. Supports $filter. + * The state or province in the user's address. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The state */ @@ -1710,7 +1710,7 @@ public function getState() /** * Sets the state - * The state or province in the user's address. Maximum length is 128 characters. Supports $filter. + * The state or province in the user's address. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The state * @@ -1724,7 +1724,7 @@ public function setState($val) /** * Gets the streetAddress - * The street address of the user's place of business. Maximum length is 1024 characters. + * The street address of the user's place of business. Maximum length is 1024 characters. Returned only on $select. * * @return string|null The streetAddress */ @@ -1739,7 +1739,7 @@ public function getStreetAddress() /** * Sets the streetAddress - * The street address of the user's place of business. Maximum length is 1024 characters. + * The street address of the user's place of business. Maximum length is 1024 characters. Returned only on $select. * * @param string $val The streetAddress * @@ -1753,7 +1753,7 @@ public function setStreetAddress($val) /** * Gets the surname - * The user's surname (family name or last name). Returned by default. Maximum length is 64 characters. Supports $filter. + * The user's surname (family name or last name). Maximum length is 64 characters. Returned by default. Supports $filter. * * @return string|null The surname */ @@ -1768,7 +1768,7 @@ public function getSurname() /** * Sets the surname - * The user's surname (family name or last name). Returned by default. Maximum length is 64 characters. Supports $filter. + * The user's surname (family name or last name). Maximum length is 64 characters. Returned by default. Supports $filter. * * @param string $val The surname * @@ -1782,7 +1782,7 @@ public function setSurname($val) /** * Gets the usageLocation - * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Returned only on $select. Supports $filter. * * @return string|null The usageLocation */ @@ -1797,7 +1797,7 @@ public function getUsageLocation() /** * Sets the usageLocation - * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Returned only on $select. Supports $filter. * * @param string $val The usageLocation * @@ -1840,7 +1840,7 @@ public function setUserPrincipalName($val) /** * Gets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Returned only on $select. Supports $filter. * * @return string|null The userType */ @@ -1855,7 +1855,7 @@ public function getUserType() /** * Sets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Returned only on $select. Supports $filter. * * @param string $val The userType * @@ -1869,7 +1869,7 @@ public function setUserType($val) /** * Gets the mailboxSettings - * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale and time zone.Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). + * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale, and time zone. Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). * * @return MailboxSettings|null The mailboxSettings */ @@ -1888,7 +1888,7 @@ public function getMailboxSettings() /** * Sets the mailboxSettings - * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale and time zone.Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). + * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale, and time zone. Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). * * @param MailboxSettings $val The mailboxSettings * @@ -1931,7 +1931,7 @@ public function setDeviceEnrollmentLimit($val) /** * Gets the aboutMe - * A freeform text entry field for the user to describe themselves. + * A freeform text entry field for the user to describe themselves. Returned only on $select. * * @return string|null The aboutMe */ @@ -1946,7 +1946,7 @@ public function getAboutMe() /** * Sets the aboutMe - * A freeform text entry field for the user to describe themselves. + * A freeform text entry field for the user to describe themselves. Returned only on $select. * * @param string $val The aboutMe * @@ -1960,7 +1960,7 @@ public function setAboutMe($val) /** * Gets the birthday - * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. * * @return \DateTime|null The birthday */ @@ -1979,7 +1979,7 @@ public function getBirthday() /** * Sets the birthday - * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. * * @param \DateTime $val The birthday * @@ -2026,7 +2026,7 @@ public function setHireDate($val) /** * Gets the interests - * A list for the user to describe their interests. + * A list for the user to describe their interests. Returned only on $select. * * @return string|null The interests */ @@ -2041,7 +2041,7 @@ public function getInterests() /** * Sets the interests - * A list for the user to describe their interests. + * A list for the user to describe their interests. Returned only on $select. * * @param string $val The interests * @@ -2055,7 +2055,7 @@ public function setInterests($val) /** * Gets the mySite - * The URL for the user's personal site. + * The URL for the user's personal site. Returned only on $select. * * @return string|null The mySite */ @@ -2070,7 +2070,7 @@ public function getMySite() /** * Sets the mySite - * The URL for the user's personal site. + * The URL for the user's personal site. Returned only on $select. * * @param string $val The mySite * @@ -2084,7 +2084,7 @@ public function setMySite($val) /** * Gets the pastProjects - * A list for the user to enumerate their past projects. + * A list for the user to enumerate their past projects. Returned only on $select. * * @return string|null The pastProjects */ @@ -2099,7 +2099,7 @@ public function getPastProjects() /** * Sets the pastProjects - * A list for the user to enumerate their past projects. + * A list for the user to enumerate their past projects. Returned only on $select. * * @param string $val The pastProjects * @@ -2113,7 +2113,7 @@ public function setPastProjects($val) /** * Gets the preferredName - * The preferred name for the user. + * The preferred name for the user. Returned only on $select. * * @return string|null The preferredName */ @@ -2128,7 +2128,7 @@ public function getPreferredName() /** * Sets the preferredName - * The preferred name for the user. + * The preferred name for the user. Returned only on $select. * * @param string $val The preferredName * @@ -2142,7 +2142,7 @@ public function setPreferredName($val) /** * Gets the responsibilities - * A list for the user to enumerate their responsibilities. + * A list for the user to enumerate their responsibilities. Returned only on $select. * * @return string|null The responsibilities */ @@ -2157,7 +2157,7 @@ public function getResponsibilities() /** * Sets the responsibilities - * A list for the user to enumerate their responsibilities. + * A list for the user to enumerate their responsibilities. Returned only on $select. * * @param string $val The responsibilities * @@ -2171,7 +2171,7 @@ public function setResponsibilities($val) /** * Gets the schools - * A list for the user to enumerate the schools they have attended. + * A list for the user to enumerate the schools they have attended. Returned only on $select. * * @return string|null The schools */ @@ -2186,7 +2186,7 @@ public function getSchools() /** * Sets the schools - * A list for the user to enumerate the schools they have attended. + * A list for the user to enumerate the schools they have attended. Returned only on $select. * * @param string $val The schools * @@ -2200,7 +2200,7 @@ public function setSchools($val) /** * Gets the skills - * A list for the user to enumerate their skills. + * A list for the user to enumerate their skills. Returned only on $select. * * @return string|null The skills */ @@ -2215,7 +2215,7 @@ public function getSkills() /** * Sets the skills - * A list for the user to enumerate their skills. + * A list for the user to enumerate their skills. Returned only on $select. * * @param string $val The skills * @@ -2473,7 +2473,7 @@ public function setManager($val) /** * Gets the memberOf - * The groups and directory roles that the user is a member of. Read-only. Nullable. + * The groups, directory roles and administrative units that the user is a member of. Read-only. Nullable. * * @return array|null The memberOf */ @@ -2488,7 +2488,7 @@ public function getMemberOf() /** * Sets the memberOf - * The groups and directory roles that the user is a member of. Read-only. Nullable. + * The groups, directory roles and administrative units that the user is a member of. Read-only. Nullable. * * @param DirectoryObject $val The memberOf * @@ -2862,7 +2862,7 @@ public function setContacts($val) /** * Gets the events - * The user's events. Default is to show Events under the Default Calendar. Read-only. Nullable. + * The user's events. Default is to show events under the Default Calendar. Read-only. Nullable. * * @return array|null The events */ @@ -2877,7 +2877,7 @@ public function getEvents() /** * Sets the events - * The user's events. Default is to show Events under the Default Calendar. Read-only. Nullable. + * The user's events. Default is to show events under the Default Calendar. Read-only. Nullable. * * @param Event $val The events * @@ -3014,7 +3014,7 @@ public function setMessages($val) /** * Gets the outlook - * Read-only. + * Selective Outlook services available to the user. Read-only. Nullable. * * @return OutlookUser|null The outlook */ @@ -3033,7 +3033,7 @@ public function getOutlook() /** * Sets the outlook - * Read-only. + * Selective Outlook services available to the user. Read-only. Nullable. * * @param OutlookUser $val The outlook * @@ -3048,7 +3048,7 @@ public function setOutlook($val) /** * Gets the people - * People that are relevant to the user. Read-only. Nullable. + * Read-only. The most relevant people to the user. The collection is ordered by their relevance to the user, which is determined by the user's communication, collaboration and business relationships. A person is an aggregation of information from across mail, contacts and social networks. * * @return array|null The people */ @@ -3063,7 +3063,7 @@ public function getPeople() /** * Sets the people - * People that are relevant to the user. Read-only. Nullable. + * Read-only. The most relevant people to the user. The collection is ordered by their relevance to the user, which is determined by the user's communication, collaboration and business relationships. A person is an aggregation of information from across mail, contacts and social networks. * * @param Person $val The people * @@ -3169,7 +3169,7 @@ public function setFollowedSites($val) /** * Gets the extensions - * The collection of open extensions defined for the user. Read-only. Nullable. + * The collection of open extensions defined for the user. Nullable. * * @return array|null The extensions */ @@ -3184,7 +3184,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the user. Read-only. Nullable. + * The collection of open extensions defined for the user. Nullable. * * @param Extension $val The extensions * @@ -3552,7 +3552,7 @@ public function setNotifications($val) /** * Gets the planner - * Entry-point to the Planner resource that might exist for a user. Read-only. + * Selective Planner services available to the user. Read-only. Nullable. * * @return PlannerUser|null The planner */ @@ -3571,7 +3571,7 @@ public function getPlanner() /** * Sets the planner - * Entry-point to the Planner resource that might exist for a user. Read-only. + * Selective Planner services available to the user. Read-only. Nullable. * * @param PlannerUser $val The planner * diff --git a/src/Beta/Microsoft/Graph/Model/UserAttributeValuesItem.php b/src/Beta/Microsoft/Graph/Model/UserAttributeValuesItem.php index ace94208504..f40a5e65cc2 100644 --- a/src/Beta/Microsoft/Graph/Model/UserAttributeValuesItem.php +++ b/src/Beta/Microsoft/Graph/Model/UserAttributeValuesItem.php @@ -25,7 +25,7 @@ class UserAttributeValuesItem extends Entity { /** * Gets the isDefault - * Determines whether the value is set as the default. + * Used to set the value as the default. * * @return bool|null The isDefault */ @@ -40,7 +40,7 @@ public function getIsDefault() /** * Sets the isDefault - * Determines whether the value is set as the default. + * Used to set the value as the default. * * @param bool $val The value of the isDefault * @@ -53,7 +53,7 @@ public function setIsDefault($val) } /** * Gets the name - * The display name of the property displayed to the user in the user flow. + * The display name of the property displayed to the end user in the user flow. * * @return string|null The name */ @@ -68,7 +68,7 @@ public function getName() /** * Sets the name - * The display name of the property displayed to the user in the user flow. + * The display name of the property displayed to the end user in the user flow. * * @param string $val The value of the name * diff --git a/src/Beta/Microsoft/Graph/Model/VppToken.php b/src/Beta/Microsoft/Graph/Model/VppToken.php index 30e4f6b6b29..7519d19cdb2 100644 --- a/src/Beta/Microsoft/Graph/Model/VppToken.php +++ b/src/Beta/Microsoft/Graph/Model/VppToken.php @@ -266,7 +266,7 @@ public function setLastModifiedDateTime($val) /** * Gets the lastSyncDateTime - * The last time when an application sync was done with the Apple volume purchase program service using the Apple Volume Purchase Program Token. + * The last time when an application sync was done with the Apple volume purchase program service using the the Apple Volume Purchase Program Token. * * @return \DateTime|null The lastSyncDateTime */ @@ -285,7 +285,7 @@ public function getLastSyncDateTime() /** * Sets the lastSyncDateTime - * The last time when an application sync was done with the Apple volume purchase program service using the Apple Volume Purchase Program Token. + * The last time when an application sync was done with the Apple volume purchase program service using the the Apple Volume Purchase Program Token. * * @param \DateTime $val The lastSyncDateTime * @@ -419,7 +419,7 @@ public function setRoleScopeTagIds($val) /** * Gets the state - * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. + * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM, duplicateLocationId. * * @return VppTokenState|null The state */ @@ -438,7 +438,7 @@ public function getState() /** * Sets the state - * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. + * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM, duplicateLocationId. * * @param VppTokenState $val The state * diff --git a/src/Beta/Microsoft/Graph/Model/WebApp.php b/src/Beta/Microsoft/Graph/Model/WebApp.php index 8e3c46d27cc..4f4c011e023 100644 --- a/src/Beta/Microsoft/Graph/Model/WebApp.php +++ b/src/Beta/Microsoft/Graph/Model/WebApp.php @@ -26,7 +26,7 @@ class WebApp extends MobileApp { /** * Gets the appUrl - * The web app URL. + * The web app URL. This property cannot be PATCHed. * * @return string|null The appUrl */ @@ -41,7 +41,7 @@ public function getAppUrl() /** * Sets the appUrl - * The web app URL. + * The web app URL. This property cannot be PATCHed. * * @param string $val The appUrl * diff --git a/src/Beta/Microsoft/Graph/Model/Website.php b/src/Beta/Microsoft/Graph/Model/Website.php index 8f3d41a6c85..cde44525507 100644 --- a/src/Beta/Microsoft/Graph/Model/Website.php +++ b/src/Beta/Microsoft/Graph/Model/Website.php @@ -82,7 +82,7 @@ public function setDisplayName($val) /** * Gets the type - * The possible values are: other, home, work, blog, profile. + * Possible values are: other, home, work, blog, profile. * * @return WebsiteType|null The type */ @@ -101,7 +101,7 @@ public function getType() /** * Sets the type - * The possible values are: other, home, work, blog, profile. + * Possible values are: other, home, work, blog, profile. * * @param WebsiteType $val The value to assign to the type * diff --git a/src/Beta/Microsoft/Graph/Model/Win32LobApp.php b/src/Beta/Microsoft/Graph/Model/Win32LobApp.php index 36468ff61e3..753097a49da 100644 --- a/src/Beta/Microsoft/Graph/Model/Win32LobApp.php +++ b/src/Beta/Microsoft/Graph/Model/Win32LobApp.php @@ -26,7 +26,7 @@ class Win32LobApp extends MobileLobApp { /** * Gets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @return WindowsArchitecture|null The applicableArchitectures */ @@ -45,7 +45,7 @@ public function getApplicableArchitectures() /** * Sets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @param WindowsArchitecture $val The applicableArchitectures * diff --git a/src/Beta/Microsoft/Graph/Model/Win32LobAppFileSystemRule.php b/src/Beta/Microsoft/Graph/Model/Win32LobAppFileSystemRule.php index c5dddde9284..f4ad5da6418 100644 --- a/src/Beta/Microsoft/Graph/Model/Win32LobAppFileSystemRule.php +++ b/src/Beta/Microsoft/Graph/Model/Win32LobAppFileSystemRule.php @@ -119,7 +119,7 @@ public function setFileOrFolderName($val) /** * Gets the operationType - * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB. + * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB, doesNotExist. * * @return Win32LobAppFileSystemOperationType|null The operationType */ @@ -138,7 +138,7 @@ public function getOperationType() /** * Sets the operationType - * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB. + * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB, doesNotExist. * * @param Win32LobAppFileSystemOperationType $val The value to assign to the operationType * diff --git a/src/Beta/Microsoft/Graph/Model/Windows10EndpointProtectionConfiguration.php b/src/Beta/Microsoft/Graph/Model/Windows10EndpointProtectionConfiguration.php index 6ab8f3ea5d0..03d8bf4d092 100644 --- a/src/Beta/Microsoft/Graph/Model/Windows10EndpointProtectionConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/Windows10EndpointProtectionConfiguration.php @@ -5772,7 +5772,7 @@ public function setLocalSecurityOptionsVirtualizeFileAndRegistryWriteFailuresToP /** * Gets the smartScreenBlockOverrideForFiles - * Allows IT Admins to control whether users can ignore SmartScreen warnings and run malicious files. + * Allows IT Admins to control whether users can can ignore SmartScreen warnings and run malicious files. * * @return bool|null The smartScreenBlockOverrideForFiles */ @@ -5787,7 +5787,7 @@ public function getSmartScreenBlockOverrideForFiles() /** * Sets the smartScreenBlockOverrideForFiles - * Allows IT Admins to control whether users can ignore SmartScreen warnings and run malicious files. + * Allows IT Admins to control whether users can can ignore SmartScreen warnings and run malicious files. * * @param bool $val The smartScreenBlockOverrideForFiles * diff --git a/src/Beta/Microsoft/Graph/Model/Windows10GeneralConfiguration.php b/src/Beta/Microsoft/Graph/Model/Windows10GeneralConfiguration.php index 83f6cbf9ae0..6708d1fd028 100644 --- a/src/Beta/Microsoft/Graph/Model/Windows10GeneralConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/Windows10GeneralConfiguration.php @@ -1909,7 +1909,7 @@ public function setDefenderSubmitSamplesConsentType($val) /** * Gets the defenderSystemScanSchedule - * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @return WeeklySchedule|null The defenderSystemScanSchedule */ @@ -1928,7 +1928,7 @@ public function getDefenderSystemScanSchedule() /** * Sets the defenderSystemScanSchedule - * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @param WeeklySchedule $val The defenderSystemScanSchedule * @@ -6669,7 +6669,7 @@ public function setSmartScreenBlockPromptOverrideForFiles($val) /** * Gets the smartScreenEnableAppInstallControl - * Allows IT Admins to control whether users are allowed to install apps from places other than the Store. + * This property will be deprecated in July 2019 and will be replaced by property SmartScreenAppInstallControl. Allows IT Admins to control whether users are allowed to install apps from places other than the Store. * * @return bool|null The smartScreenEnableAppInstallControl */ @@ -6684,7 +6684,7 @@ public function getSmartScreenEnableAppInstallControl() /** * Sets the smartScreenEnableAppInstallControl - * Allows IT Admins to control whether users are allowed to install apps from places other than the Store. + * This property will be deprecated in July 2019 and will be replaced by property SmartScreenAppInstallControl. Allows IT Admins to control whether users are allowed to install apps from places other than the Store. * * @param bool $val The smartScreenEnableAppInstallControl * diff --git a/src/Beta/Microsoft/Graph/Model/Windows10NetworkProxyServer.php b/src/Beta/Microsoft/Graph/Model/Windows10NetworkProxyServer.php index 0e586c4a1cd..ce833b19f87 100644 --- a/src/Beta/Microsoft/Graph/Model/Windows10NetworkProxyServer.php +++ b/src/Beta/Microsoft/Graph/Model/Windows10NetworkProxyServer.php @@ -25,7 +25,7 @@ class Windows10NetworkProxyServer extends Entity { /** * Gets the address - * Address to the proxy server. Specify an address in the format &lt;server&gt;[:&lt;port&gt;] + * Address to the proxy server. Specify an address in the format [':'] * * @return string|null The address */ @@ -40,7 +40,7 @@ public function getAddress() /** * Sets the address - * Address to the proxy server. Specify an address in the format &lt;server&gt;[:&lt;port&gt;] + * Address to the proxy server. Specify an address in the format [':'] * * @param string $val The value of the address * diff --git a/src/Beta/Microsoft/Graph/Model/WindowsInformationProtectionIPRangeCollection.php b/src/Beta/Microsoft/Graph/Model/WindowsInformationProtectionIPRangeCollection.php index ff421bea1de..aab3ea67f48 100644 --- a/src/Beta/Microsoft/Graph/Model/WindowsInformationProtectionIPRangeCollection.php +++ b/src/Beta/Microsoft/Graph/Model/WindowsInformationProtectionIPRangeCollection.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the ranges - * Collection of Internet protocol address ranges + * Collection of ip ranges * * @return IpRange|null The ranges */ @@ -73,7 +73,7 @@ public function getRanges() /** * Sets the ranges - * Collection of Internet protocol address ranges + * Collection of ip ranges * * @param IpRange $val The value to assign to the ranges * diff --git a/src/Beta/Microsoft/Graph/Model/WindowsUniversalAppX.php b/src/Beta/Microsoft/Graph/Model/WindowsUniversalAppX.php index 7ec0fcaa8f9..e1ec56c8c0c 100644 --- a/src/Beta/Microsoft/Graph/Model/WindowsUniversalAppX.php +++ b/src/Beta/Microsoft/Graph/Model/WindowsUniversalAppX.php @@ -26,7 +26,7 @@ class WindowsUniversalAppX extends MobileLobApp { /** * Gets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @return WindowsArchitecture|null The applicableArchitectures */ @@ -45,7 +45,7 @@ public function getApplicableArchitectures() /** * Sets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @param WindowsArchitecture $val The applicableArchitectures * diff --git a/src/Beta/Microsoft/Graph/Model/WindowsUpdateForBusinessConfiguration.php b/src/Beta/Microsoft/Graph/Model/WindowsUpdateForBusinessConfiguration.php index ee1380ba210..0c4c300023a 100644 --- a/src/Beta/Microsoft/Graph/Model/WindowsUpdateForBusinessConfiguration.php +++ b/src/Beta/Microsoft/Graph/Model/WindowsUpdateForBusinessConfiguration.php @@ -26,7 +26,7 @@ class WindowsUpdateForBusinessConfiguration extends DeviceConfiguration { /** * Gets the automaticUpdateMode - * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl. + * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl, windowsDefault. * * @return AutomaticUpdateMode|null The automaticUpdateMode */ @@ -45,7 +45,7 @@ public function getAutomaticUpdateMode() /** * Sets the automaticUpdateMode - * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl. + * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl, windowsDefault. * * @param AutomaticUpdateMode $val The automaticUpdateMode * diff --git a/src/Beta/Microsoft/Graph/Model/WindowsUpdateScheduledInstall.php b/src/Beta/Microsoft/Graph/Model/WindowsUpdateScheduledInstall.php index d6e3af884fd..a8a7c9bb54e 100644 --- a/src/Beta/Microsoft/Graph/Model/WindowsUpdateScheduledInstall.php +++ b/src/Beta/Microsoft/Graph/Model/WindowsUpdateScheduledInstall.php @@ -35,7 +35,7 @@ public function __construct() /** * Gets the scheduledInstallDay - * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @return WeeklySchedule|null The scheduledInstallDay */ @@ -54,7 +54,7 @@ public function getScheduledInstallDay() /** * Sets the scheduledInstallDay - * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @param WeeklySchedule $val The value to assign to the scheduledInstallDay * diff --git a/src/Beta/Microsoft/Graph/Model/Workbook.php b/src/Beta/Microsoft/Graph/Model/Workbook.php index f5cc63109e9..85ca93ade5a 100644 --- a/src/Beta/Microsoft/Graph/Model/Workbook.php +++ b/src/Beta/Microsoft/Graph/Model/Workbook.php @@ -147,7 +147,7 @@ public function setNames($val) /** * Gets the operations - * The status of workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. + * The status of Workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. Nullable. * * @return array|null The operations */ @@ -162,7 +162,7 @@ public function getOperations() /** * Sets the operations - * The status of workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. + * The status of Workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. Nullable. * * @param WorkbookOperation $val The operations * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookComment.php b/src/Beta/Microsoft/Graph/Model/WorkbookComment.php index 89a15e2811a..1dfd085b325 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookComment.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookComment.php @@ -26,7 +26,7 @@ class WorkbookComment extends Entity { /** * Gets the content - * The content of comment. + * The content of the comment. * * @return string|null The content */ @@ -41,7 +41,7 @@ public function getContent() /** * Sets the content - * The content of comment. + * The content of the comment. * * @param string $val The content * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookCommentReply.php b/src/Beta/Microsoft/Graph/Model/WorkbookCommentReply.php index 2a3e2caff02..b6cbe5cd38a 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookCommentReply.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookCommentReply.php @@ -26,7 +26,7 @@ class WorkbookCommentReply extends Entity { /** * Gets the content - * The content of a comment reply. + * The content of replied comment. * * @return string|null The content */ @@ -41,7 +41,7 @@ public function getContent() /** * Sets the content - * The content of a comment reply. + * The content of replied comment. * * @param string $val The content * @@ -55,7 +55,7 @@ public function setContent($val) /** * Gets the contentType - * Indicates the type for the comment reply. + * Indicates the type for the replied comment. * * @return string|null The contentType */ @@ -70,7 +70,7 @@ public function getContentType() /** * Sets the contentType - * Indicates the type for the comment reply. + * Indicates the type for the replied comment. * * @param string $val The contentType * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookIcon.php b/src/Beta/Microsoft/Graph/Model/WorkbookIcon.php index e933ce9c718..70dd591a107 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookIcon.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookIcon.php @@ -53,7 +53,7 @@ public function setIndex($val) } /** * Gets the set - * Represents the set that the icon is part of. The possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. + * Represents the set that the icon is part of. Possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. * * @return string|null The set */ @@ -68,7 +68,7 @@ public function getSet() /** * Sets the set - * Represents the set that the icon is part of. The possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. + * Represents the set that the icon is part of. Possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. * * @param string $val The value of the set * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookNamedItem.php b/src/Beta/Microsoft/Graph/Model/WorkbookNamedItem.php index ad274db4b57..fd89b006f63 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookNamedItem.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookNamedItem.php @@ -113,7 +113,7 @@ public function setScope($val) /** * Gets the type - * Indicates what type of reference is associated with the name. The possible values are: String, Integer, Double, Boolean, Range. Read-only. + * Indicates what type of reference is associated with the name. Possible values are: String, Integer, Double, Boolean, Range. Read-only. * * @return string|null The type */ @@ -128,7 +128,7 @@ public function getType() /** * Sets the type - * Indicates what type of reference is associated with the name. The possible values are: String, Integer, Double, Boolean, Range. Read-only. + * Indicates what type of reference is associated with the name. Possible values are: String, Integer, Double, Boolean, Range. Read-only. * * @param string $val The type * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookOperation.php b/src/Beta/Microsoft/Graph/Model/WorkbookOperation.php index 57a9c29252d..f0b987c508c 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookOperation.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookOperation.php @@ -88,7 +88,7 @@ public function setResourceLocation($val) /** * Gets the status - * The current status of the operation. Possible values are: NotStarted, Running, Completed, Failed. + * The current status of the operation. Possible values are: notStarted, running, succeeded, failed. * * @return WorkbookOperationStatus|null The status */ @@ -107,7 +107,7 @@ public function getStatus() /** * Sets the status - * The current status of the operation. Possible values are: NotStarted, Running, Completed, Failed. + * The current status of the operation. Possible values are: notStarted, running, succeeded, failed. * * @param WorkbookOperationStatus $val The status * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookRange.php b/src/Beta/Microsoft/Graph/Model/WorkbookRange.php index 64001c550ac..b5af62e24f7 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookRange.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookRange.php @@ -490,7 +490,7 @@ public function setValues($val) /** * Gets the valueTypes - * Represents the type of data of each cell. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. + * Represents the type of data of each cell. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. * * @return string|null The valueTypes */ @@ -505,7 +505,7 @@ public function getValueTypes() /** * Sets the valueTypes - * Represents the type of data of each cell. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. + * Represents the type of data of each cell. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. * * @param string $val The valueTypes * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookRangeBorder.php b/src/Beta/Microsoft/Graph/Model/WorkbookRangeBorder.php index 1d7ddeb20c2..5e7a0145086 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookRangeBorder.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookRangeBorder.php @@ -55,7 +55,7 @@ public function setColor($val) /** * Gets the sideIndex - * Constant value that indicates the specific side of the border. The possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. + * Constant value that indicates the specific side of the border. Possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. * * @return string|null The sideIndex */ @@ -70,7 +70,7 @@ public function getSideIndex() /** * Sets the sideIndex - * Constant value that indicates the specific side of the border. The possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. + * Constant value that indicates the specific side of the border. Possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. * * @param string $val The sideIndex * @@ -84,7 +84,7 @@ public function setSideIndex($val) /** * Gets the style - * One of the constants of line style specifying the line style for the border. The possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. + * One of the constants of line style specifying the line style for the border. Possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. * * @return string|null The style */ @@ -99,7 +99,7 @@ public function getStyle() /** * Sets the style - * One of the constants of line style specifying the line style for the border. The possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. + * One of the constants of line style specifying the line style for the border. Possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. * * @param string $val The style * @@ -113,7 +113,7 @@ public function setStyle($val) /** * Gets the weight - * Specifies the weight of the border around a range. The possible values are: Hairline, Thin, Medium, Thick. + * Specifies the weight of the border around a range. Possible values are: Hairline, Thin, Medium, Thick. * * @return string|null The weight */ @@ -128,7 +128,7 @@ public function getWeight() /** * Sets the weight - * Specifies the weight of the border around a range. The possible values are: Hairline, Thin, Medium, Thick. + * Specifies the weight of the border around a range. Possible values are: Hairline, Thin, Medium, Thick. * * @param string $val The weight * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookRangeFont.php b/src/Beta/Microsoft/Graph/Model/WorkbookRangeFont.php index 793985dea09..33ad93fdde6 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookRangeFont.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookRangeFont.php @@ -171,7 +171,7 @@ public function setSize($val) /** * Gets the underline - * Type of underline applied to the font. The possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. + * Type of underline applied to the font. Possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. * * @return string|null The underline */ @@ -186,7 +186,7 @@ public function getUnderline() /** * Sets the underline - * Type of underline applied to the font. The possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. + * Type of underline applied to the font. Possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. * * @param string $val The underline * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookRangeFormat.php b/src/Beta/Microsoft/Graph/Model/WorkbookRangeFormat.php index 373803d0405..5340d8e8e97 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookRangeFormat.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookRangeFormat.php @@ -55,7 +55,7 @@ public function setColumnWidth($val) /** * Gets the horizontalAlignment - * Represents the horizontal alignment for the specified object. The possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. + * Represents the horizontal alignment for the specified object. Possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. * * @return string|null The horizontalAlignment */ @@ -70,7 +70,7 @@ public function getHorizontalAlignment() /** * Sets the horizontalAlignment - * Represents the horizontal alignment for the specified object. The possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. + * Represents the horizontal alignment for the specified object. Possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. * * @param string $val The horizontalAlignment * @@ -113,7 +113,7 @@ public function setRowHeight($val) /** * Gets the verticalAlignment - * Represents the vertical alignment for the specified object. The possible values are: Top, Center, Bottom, Justify, Distributed. + * Represents the vertical alignment for the specified object. Possible values are: Top, Center, Bottom, Justify, Distributed. * * @return string|null The verticalAlignment */ @@ -128,7 +128,7 @@ public function getVerticalAlignment() /** * Sets the verticalAlignment - * Represents the vertical alignment for the specified object. The possible values are: Top, Center, Bottom, Justify, Distributed. + * Represents the vertical alignment for the specified object. Possible values are: Top, Center, Bottom, Justify, Distributed. * * @param string $val The verticalAlignment * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookRangeView.php b/src/Beta/Microsoft/Graph/Model/WorkbookRangeView.php index 9a151f5e142..aceba9b5d05 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookRangeView.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookRangeView.php @@ -316,7 +316,7 @@ public function setValues($val) /** * Gets the valueTypes - * Represents the type of data of each cell. Read-only. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. + * Represents the type of data of each cell. Read-only. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. * * @return string|null The valueTypes */ @@ -331,7 +331,7 @@ public function getValueTypes() /** * Sets the valueTypes - * Represents the type of data of each cell. Read-only. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. + * Represents the type of data of each cell. Read-only. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. * * @param string $val The valueTypes * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookSortField.php b/src/Beta/Microsoft/Graph/Model/WorkbookSortField.php index a742faf764e..cdb68eb08bd 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookSortField.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookSortField.php @@ -81,7 +81,7 @@ public function setColor($val) } /** * Gets the dataOption - * Represents additional sorting options for this field. The possible values are: Normal, TextAsNumber. + * Represents additional sorting options for this field. Possible values are: Normal, TextAsNumber. * * @return string|null The dataOption */ @@ -96,7 +96,7 @@ public function getDataOption() /** * Sets the dataOption - * Represents additional sorting options for this field. The possible values are: Normal, TextAsNumber. + * Represents additional sorting options for this field. Possible values are: Normal, TextAsNumber. * * @param string $val The value of the dataOption * @@ -170,7 +170,7 @@ public function setKey($val) } /** * Gets the sortOn - * Represents the type of sorting of this condition. The possible values are: Value, CellColor, FontColor, Icon. + * Represents the type of sorting of this condition. Possible values are: Value, CellColor, FontColor, Icon. * * @return string|null The sortOn */ @@ -185,7 +185,7 @@ public function getSortOn() /** * Sets the sortOn - * Represents the type of sorting of this condition. The possible values are: Value, CellColor, FontColor, Icon. + * Represents the type of sorting of this condition. Possible values are: Value, CellColor, FontColor, Icon. * * @param string $val The value of the sortOn * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookTable.php b/src/Beta/Microsoft/Graph/Model/WorkbookTable.php index a9f20581f9c..b24c390dd20 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookTable.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookTable.php @@ -287,7 +287,7 @@ public function setShowTotals($val) /** * Gets the style - * Constant value that represents the Table style. The possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. + * Constant value that represents the Table style. Possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. * * @return string|null The style */ @@ -302,7 +302,7 @@ public function getStyle() /** * Sets the style - * Constant value that represents the Table style. The possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. + * Constant value that represents the Table style. Possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. * * @param string $val The style * diff --git a/src/Beta/Microsoft/Graph/Model/WorkbookTableSort.php b/src/Beta/Microsoft/Graph/Model/WorkbookTableSort.php index 74f0f9de6e1..44cfda26770 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkbookTableSort.php +++ b/src/Beta/Microsoft/Graph/Model/WorkbookTableSort.php @@ -85,7 +85,7 @@ public function setMatchCase($val) /** * Gets the method - * Represents Chinese character ordering method last used to sort the table. The possible values are: PinYin, StrokeCount. Read-only. + * Represents Chinese character ordering method last used to sort the table. Possible values are: PinYin, StrokeCount. Read-only. * * @return string|null The method */ @@ -100,7 +100,7 @@ public function getMethod() /** * Sets the method - * Represents Chinese character ordering method last used to sort the table. The possible values are: PinYin, StrokeCount. Read-only. + * Represents Chinese character ordering method last used to sort the table. Possible values are: PinYin, StrokeCount. Read-only. * * @param string $val The method * diff --git a/src/Beta/Microsoft/Graph/Model/WorkforceIntegration.php b/src/Beta/Microsoft/Graph/Model/WorkforceIntegration.php index 42f700573f8..b8b5e3db137 100644 --- a/src/Beta/Microsoft/Graph/Model/WorkforceIntegration.php +++ b/src/Beta/Microsoft/Graph/Model/WorkforceIntegration.php @@ -177,7 +177,7 @@ public function setIsActive($val) /** * Gets the supportedEntities - * The Shifts entities supported for synchronous change notifications. Shifts will make a call back to the url provided on client changes on those entities added here. By default, no entities are supported for change notifications. Possible values are: none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences + * This property will replace supports in v1.0. We recommend that you use this property instead of supports. The supports property will still be supported in beta for the time being. Possible values are none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences. If selecting more than one value, all values must start with the first letter in uppercase. * * @return WorkforceIntegrationSupportedEntities|null The supportedEntities */ @@ -196,7 +196,7 @@ public function getSupportedEntities() /** * Sets the supportedEntities - * The Shifts entities supported for synchronous change notifications. Shifts will make a call back to the url provided on client changes on those entities added here. By default, no entities are supported for change notifications. Possible values are: none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences + * This property will replace supports in v1.0. We recommend that you use this property instead of supports. The supports property will still be supported in beta for the time being. Possible values are none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences. If selecting more than one value, all values must start with the first letter in uppercase. * * @param WorkforceIntegrationSupportedEntities $val The supportedEntities * From b8708109d0a23074ef8dbe20b2546de155d7be6b Mon Sep 17 00:00:00 2001 From: Microsoft Graph DevX Tooling Date: Thu, 13 May 2021 10:02:42 +0000 Subject: [PATCH 5/6] Update generated files with build 49598 --- src/CallRecords/Model/CallRecord.php | 8 +- src/CallRecords/Model/Session.php | 4 +- src/Model/AadUserConversationMember.php | 4 +- src/Model/AccessReviewReviewerScope.php | 8 +- src/Model/AdminConsentRequestPolicy.php | 4 +- src/Model/Agreement.php | 8 +- src/Model/AgreementAcceptance.php | 32 +-- src/Model/AndroidManagedAppProtection.php | 8 +- src/Model/AppConsentRequest.php | 4 +- src/Model/Application.php | 24 +- src/Model/AppliedConditionalAccessPolicy.php | 8 +- src/Model/Approval.php | 4 +- src/Model/AssignedPlan.php | 8 +- src/Model/AssignmentOrder.php | 4 +- src/Model/Attachment.php | 4 +- src/Model/AttendeeAvailability.php | 4 +- src/Model/AttendeeBase.php | 4 +- src/Model/AuthenticationFlowsPolicy.php | 12 +- src/Model/AuthorizationPolicy.php | 29 ++ src/Model/AutomaticRepliesSetting.php | 8 +- src/Model/B2xIdentityUserFlow.php | 8 +- src/Model/Calendar.php | 20 +- src/Model/Call.php | 12 +- src/Model/ChangeNotification.php | 4 +- src/Model/Channel.php | 4 +- src/Model/ChatInfo.php | 4 +- src/Model/ChatMessage.php | 4 +- src/Model/CloudAppSecuritySessionControl.php | 4 +- src/Model/ConditionalAccessGrantControls.php | 4 +- src/Model/Contact.php | 4 +- src/Model/DateTimeTimeZone.php | 8 +- .../DelegatedPermissionClassification.php | 8 +- src/Model/Device.php | 20 +- src/Model/DeviceComplianceActionItem.php | 4 +- ...iceCompliancePolicySettingStateSummary.php | 4 +- src/Model/DeviceDetail.php | 28 +- src/Model/DeviceEnrollmentConfiguration.php | 28 +- .../DeviceEnrollmentLimitConfiguration.php | 4 +- ...lmentPlatformRestrictionsConfiguration.php | 20 +- ...ntWindowsHelloForBusinessConfiguration.php | 48 ++-- src/Model/DeviceManagement.php | 4 +- src/Model/DeviceManagementSettings.php | 4 +- src/Model/DirectoryAudit.php | 4 +- src/Model/Domain.php | 4 +- src/Model/DriveItem.php | 4 +- src/Model/DriveItemVersion.php | 2 - src/Model/EditionUpgradeConfiguration.php | 8 +- src/Model/EducationClass.php | 12 +- src/Model/EducationOrganization.php | 6 +- src/Model/EducationRoot.php | 82 +++++- src/Model/EducationSchool.php | 2 + src/Model/EducationStudent.php | 4 +- src/Model/EducationTeacher.php | 4 +- src/Model/EducationUser.php | 66 ++--- src/Model/EmailAddress.php | 8 +- ...EmailAuthenticationMethodConfiguration.php | 4 +- .../EnrollmentConfigurationAssignment.php | 4 +- src/Model/EnrollmentTroubleshootingEvent.php | 4 +- src/Model/Event.php | 12 +- src/Model/ExtensionSchemaProperty.php | 4 +- src/Model/Fido2AuthenticationMethod.php | 4 +- src/Model/FileEncryptionInfo.php | 4 +- src/Model/GeoCoordinates.php | 8 +- src/Model/Group.php | 60 ++--- src/Model/Hashes.php | 4 +- src/Model/IPv6Range.php | 8 +- src/Model/IdentityProvider.php | 12 +- src/Model/IncomingContext.php | 8 +- src/Model/InferenceClassificationOverride.php | 4 +- src/Model/Initiator.php | 4 +- src/Model/Invitation.php | 20 +- src/Model/InvitationParticipantInfo.php | 4 +- src/Model/IosCustomConfiguration.php | 4 +- src/Model/IosGeneralDeviceConfiguration.php | 76 +++--- src/Model/IosHomeScreenApp.php | 4 +- src/Model/IosHomeScreenFolder.php | 4 +- src/Model/IosHomeScreenFolderPage.php | 4 +- src/Model/IosHomeScreenPage.php | 4 +- src/Model/IosManagedAppProtection.php | 4 +- src/Model/IosUpdateDeviceStatus.php | 4 +- src/Model/ItemAttachment.php | 4 +- src/Model/KeyCredential.php | 4 +- src/Model/KeyValue.php | 8 +- src/Model/Location.php | 4 +- src/Model/MacOSCustomConfiguration.php | 4 +- src/Model/MailboxSettings.php | 8 +- src/Model/ManagedAppRegistration.php | 4 +- src/Model/ManagedDevice.php | 176 ++++++------ src/Model/MediaInfo.php | 8 +- src/Model/MediaPrompt.php | 4 +- src/Model/MediaStream.php | 4 +- src/Model/MeetingParticipantInfo.php | 4 +- src/Model/MeetingTimeSuggestion.php | 4 +- src/Model/MeetingTimeSuggestionsResult.php | 4 +- src/Model/Message.php | 4 +- src/Model/MessageRuleActions.php | 4 +- src/Model/ModifiedProperty.php | 12 +- src/Model/NetworkConnection.php | 4 +- src/Model/NotificationMessageTemplate.php | 4 +- src/Model/OfferShiftRequest.php | 8 +- src/Model/OfficeGraphInsights.php | 12 +- src/Model/OmaSettingBase64.php | 4 +- src/Model/OnenotePatchContentCommand.php | 12 +- src/Model/OnlineMeeting.php | 16 +- src/Model/OpenTypeExtension.php | 4 +- src/Model/Operation.php | 4 +- src/Model/Organization.php | 16 +- src/Model/Participant.php | 4 +- src/Model/ParticipantInfo.php | 4 +- src/Model/PasswordProfile.php | 4 +- src/Model/Permission.php | 4 +- src/Model/PermissionGrantConditionSet.php | 4 +- src/Model/Person.php | 4 +- src/Model/Phone.php | 4 +- src/Model/Photo.php | 4 +- src/Model/Pkcs12Certificate.php | 8 +- src/Model/PlannerPlan.php | 12 +- src/Model/PlannerPlanDetails.php | 8 +- src/Model/PlannerTask.php | 4 +- src/Model/PlannerTaskDetails.php | 4 +- src/Model/PlannerUser.php | 4 +- src/Model/Post.php | 8 +- src/Model/Presence.php | 4 +- src/Model/PrintJobConfiguration.php | 4 +- src/Model/PrintTask.php | 4 +- src/Model/ProvisioningErrorInfo.php | 10 + src/Model/ProvisioningObjectSummary.php | 4 + src/Model/ProvisioningStatusInfo.php | 2 + src/Model/ProvisioningSystem.php | 2 + src/Model/RecentNotebookLinks.php | 4 +- src/Model/RecordingInfo.php | 4 +- src/Model/RecurrencePattern.php | 12 +- src/Model/RecurrenceRange.php | 4 +- src/Model/RemoteAssistancePartner.php | 4 +- src/Model/Report.php | 4 +- src/Model/ResourceAction.php | 4 +- src/Model/ResponseStatus.php | 4 +- src/Model/RolePermission.php | 4 +- src/Model/SchemaExtension.php | 4 +- src/Model/SecureScoreControlProfile.php | 12 +- src/Model/ServicePlanInfo.php | 4 +- src/Model/ServicePrincipal.php | 4 +- src/Model/SettingTemplateValue.php | 16 +- src/Model/SettingValue.php | 4 +- src/Model/SharedPCConfiguration.php | 4 +- src/Model/SignIn.php | 88 +++--- src/Model/StoragePlanInformation.php | 4 +- src/Model/Subscription.php | 28 +- src/Model/SwapShiftsChangeRequest.php | 4 +- src/Model/TargetResource.php | 4 +- .../TargetedManagedAppPolicyAssignment.php | 4 +- src/Model/TeamMemberSettings.php | 4 +- src/Model/TeamsTab.php | 4 +- src/Model/TeamworkHostedContent.php | 4 +- src/Model/TermsExpiration.php | 4 +- src/Model/ThreatAssessmentResult.php | 4 +- src/Model/TimeConstraint.php | 4 +- src/Model/UnifiedRoleAssignment.php | 24 +- src/Model/UnifiedRoleDefinition.php | 14 +- src/Model/UploadSession.php | 4 +- src/Model/User.php | 252 +++++++++--------- src/Model/UserAttributeValuesItem.php | 8 +- src/Model/VppToken.php | 8 +- src/Model/WebApp.php | 4 +- src/Model/Website.php | 4 +- src/Model/Win32LobApp.php | 4 +- src/Model/Win32LobAppFileSystemRule.php | 4 +- ...ndows10EndpointProtectionConfiguration.php | 4 +- src/Model/Windows10GeneralConfiguration.php | 8 +- src/Model/Windows10NetworkProxyServer.php | 4 +- ...InformationProtectionIPRangeCollection.php | 4 +- src/Model/WindowsUniversalAppX.php | 4 +- .../WindowsUpdateForBusinessConfiguration.php | 4 +- src/Model/WindowsUpdateScheduledInstall.php | 4 +- src/Model/Workbook.php | 4 +- src/Model/WorkbookComment.php | 4 +- src/Model/WorkbookCommentReply.php | 8 +- src/Model/WorkbookIcon.php | 4 +- src/Model/WorkbookNamedItem.php | 4 +- src/Model/WorkbookOperation.php | 4 +- src/Model/WorkbookRange.php | 4 +- src/Model/WorkbookRangeBorder.php | 12 +- src/Model/WorkbookRangeFont.php | 4 +- src/Model/WorkbookRangeFormat.php | 8 +- src/Model/WorkbookRangeView.php | 4 +- src/Model/WorkbookSortField.php | 8 +- src/Model/WorkbookTable.php | 4 +- src/Model/WorkbookTableSort.php | 4 +- src/Model/WorkforceIntegration.php | 4 +- 189 files changed, 1090 insertions(+), 965 deletions(-) diff --git a/src/CallRecords/Model/CallRecord.php b/src/CallRecords/Model/CallRecord.php index d8032edbfdb..390b3e7bdbf 100644 --- a/src/CallRecords/Model/CallRecord.php +++ b/src/CallRecords/Model/CallRecord.php @@ -214,7 +214,7 @@ public function setParticipants($val) /** * Gets the startDateTime - * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The startDateTime */ @@ -233,7 +233,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * UTC time when the first user joined the call. The DatetimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The startDateTime * @@ -280,7 +280,7 @@ public function setType($val) /** * Gets the version - * Monotonically increasing version of the call record. Higher version call records with the same id includes additional data compared to the lower version. + * Monotonically increasing version of the call record. Higher version call records with the same ID includes additional data compared to the lower version. * * @return int|null The version */ @@ -295,7 +295,7 @@ public function getVersion() /** * Sets the version - * Monotonically increasing version of the call record. Higher version call records with the same id includes additional data compared to the lower version. + * Monotonically increasing version of the call record. Higher version call records with the same ID includes additional data compared to the lower version. * * @param int $val The version * diff --git a/src/CallRecords/Model/Session.php b/src/CallRecords/Model/Session.php index 48b43a8b7fb..9842698a705 100644 --- a/src/CallRecords/Model/Session.php +++ b/src/CallRecords/Model/Session.php @@ -188,7 +188,7 @@ public function setModalities($val) /** * Gets the startDateTime - * UTC time when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * UTC fime when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The startDateTime */ @@ -207,7 +207,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * UTC time when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * UTC fime when the first user joined the session. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The startDateTime * diff --git a/src/Model/AadUserConversationMember.php b/src/Model/AadUserConversationMember.php index b77411eb930..fae96b62532 100644 --- a/src/Model/AadUserConversationMember.php +++ b/src/Model/AadUserConversationMember.php @@ -84,7 +84,7 @@ public function setTenantId($val) /** * Gets the userId - * The guid of the user. + * The GUID of the user. * * @return string|null The userId */ @@ -99,7 +99,7 @@ public function getUserId() /** * Sets the userId - * The guid of the user. + * The GUID of the user. * * @param string $val The userId * diff --git a/src/Model/AccessReviewReviewerScope.php b/src/Model/AccessReviewReviewerScope.php index 5f1a7ae87f4..ea89c347eae 100644 --- a/src/Model/AccessReviewReviewerScope.php +++ b/src/Model/AccessReviewReviewerScope.php @@ -53,7 +53,7 @@ public function setQuery($val) } /** * Gets the queryRoot - * The type of query. Examples include MicrosoftGraph and ARM. + * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. * * @return string|null The queryRoot */ @@ -68,7 +68,7 @@ public function getQueryRoot() /** * Sets the queryRoot - * The type of query. Examples include MicrosoftGraph and ARM. + * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. * * @param string $val The value of the queryRoot * @@ -81,7 +81,7 @@ public function setQueryRoot($val) } /** * Gets the queryType - * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. + * The type of query. Examples include MicrosoftGraph and ARM. * * @return string|null The queryType */ @@ -96,7 +96,7 @@ public function getQueryType() /** * Sets the queryType - * In the scenario where reviewers need to be specified dynamically, this property is used to indicate the relative source of the query. This property is only required if a relative query (i.e., ./manager) is specified. + * The type of query. Examples include MicrosoftGraph and ARM. * * @param string $val The value of the queryType * diff --git a/src/Model/AdminConsentRequestPolicy.php b/src/Model/AdminConsentRequestPolicy.php index f766f8909e9..4e4c0376698 100644 --- a/src/Model/AdminConsentRequestPolicy.php +++ b/src/Model/AdminConsentRequestPolicy.php @@ -143,7 +143,7 @@ public function setRequestDurationInDays($val) /** * Gets the reviewers - * The list of reviewers for the admin consent. Required. + * Required. * * @return array|null The reviewers */ @@ -158,7 +158,7 @@ public function getReviewers() /** * Sets the reviewers - * The list of reviewers for the admin consent. Required. + * Required. * * @param AccessReviewReviewerScope $val The reviewers * diff --git a/src/Model/Agreement.php b/src/Model/Agreement.php index 6b1a393c750..5c346a78ba9 100644 --- a/src/Model/Agreement.php +++ b/src/Model/Agreement.php @@ -55,7 +55,7 @@ public function setDisplayName($val) /** * Gets the isPerDeviceAcceptanceRequired - * Indicates whether end users are required to accept this agreement on every device that they access it from. The end user is required to register their device in Azure AD, if they haven't already done so. + * This setting enables you to require end users to accept this agreement on every device that they are accessing it from. The end user will be required to register their device in Azure AD, if they haven't already done so. * * @return bool|null The isPerDeviceAcceptanceRequired */ @@ -70,7 +70,7 @@ public function getIsPerDeviceAcceptanceRequired() /** * Sets the isPerDeviceAcceptanceRequired - * Indicates whether end users are required to accept this agreement on every device that they access it from. The end user is required to register their device in Azure AD, if they haven't already done so. + * This setting enables you to require end users to accept this agreement on every device that they are accessing it from. The end user will be required to register their device in Azure AD, if they haven't already done so. * * @param bool $val The isPerDeviceAcceptanceRequired * @@ -243,7 +243,7 @@ public function setFile($val) /** * Gets the files - * PDFs linked to this agreement. This property is in the process of being deprecated. Use the file property instead. + * PDFs linked to this agreement. Note: This property is in the process of being deprecated. Use the file property instead. * * @return array|null The files */ @@ -258,7 +258,7 @@ public function getFiles() /** * Sets the files - * PDFs linked to this agreement. This property is in the process of being deprecated. Use the file property instead. + * PDFs linked to this agreement. Note: This property is in the process of being deprecated. Use the file property instead. * * @param AgreementFileLocalization $val The files * diff --git a/src/Model/AgreementAcceptance.php b/src/Model/AgreementAcceptance.php index 9bbdac845e9..4c3d7c3e472 100644 --- a/src/Model/AgreementAcceptance.php +++ b/src/Model/AgreementAcceptance.php @@ -26,7 +26,7 @@ class AgreementAcceptance extends Entity { /** * Gets the agreementFileId - * The identifier of the agreement file accepted by the user. + * ID of the agreement file accepted by the user. * * @return string|null The agreementFileId */ @@ -41,7 +41,7 @@ public function getAgreementFileId() /** * Sets the agreementFileId - * The identifier of the agreement file accepted by the user. + * ID of the agreement file accepted by the user. * * @param string $val The agreementFileId * @@ -55,7 +55,7 @@ public function setAgreementFileId($val) /** * Gets the agreementId - * The identifier of the agreement. + * ID of the agreement. * * @return string|null The agreementId */ @@ -70,7 +70,7 @@ public function getAgreementId() /** * Sets the agreementId - * The identifier of the agreement. + * ID of the agreement. * * @param string $val The agreementId * @@ -142,7 +142,7 @@ public function setDeviceId($val) /** * Gets the deviceOSType - * The operating system used to accept the agreement. + * The operating system used for accepting the agreement. * * @return string|null The deviceOSType */ @@ -157,7 +157,7 @@ public function getDeviceOSType() /** * Sets the deviceOSType - * The operating system used to accept the agreement. + * The operating system used for accepting the agreement. * * @param string $val The deviceOSType * @@ -171,7 +171,7 @@ public function setDeviceOSType($val) /** * Gets the deviceOSVersion - * The operating system version of the device used to accept the agreement. + * The operating system version of the device used for accepting the agreement. * * @return string|null The deviceOSVersion */ @@ -186,7 +186,7 @@ public function getDeviceOSVersion() /** * Sets the deviceOSVersion - * The operating system version of the device used to accept the agreement. + * The operating system version of the device used for accepting the agreement. * * @param string $val The deviceOSVersion * @@ -200,7 +200,7 @@ public function setDeviceOSVersion($val) /** * Gets the expirationDateTime - * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The expirationDateTime */ @@ -219,7 +219,7 @@ public function getExpirationDateTime() /** * Sets the expirationDateTime - * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The expiration date time of the acceptance. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The expirationDateTime * @@ -233,7 +233,7 @@ public function setExpirationDateTime($val) /** * Gets the recordedDateTime - * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The recordedDateTime */ @@ -252,7 +252,7 @@ public function getRecordedDateTime() /** * Sets the recordedDateTime - * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z' + * The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The recordedDateTime * @@ -266,7 +266,7 @@ public function setRecordedDateTime($val) /** * Gets the state - * The state of the agreement acceptance. Possible values are: accepted, declined. + * Possible values are: accepted, declined. * * @return AgreementAcceptanceState|null The state */ @@ -285,7 +285,7 @@ public function getState() /** * Sets the state - * The state of the agreement acceptance. Possible values are: accepted, declined. + * Possible values are: accepted, declined. * * @param AgreementAcceptanceState $val The state * @@ -357,7 +357,7 @@ public function setUserEmail($val) /** * Gets the userId - * The identifier of the user who accepted the agreement. + * ID of the user who accepted the agreement. * * @return string|null The userId */ @@ -372,7 +372,7 @@ public function getUserId() /** * Sets the userId - * The identifier of the user who accepted the agreement. + * ID of the user who accepted the agreement. * * @param string $val The userId * diff --git a/src/Model/AndroidManagedAppProtection.php b/src/Model/AndroidManagedAppProtection.php index 04cb12f8501..e24dd0748a6 100644 --- a/src/Model/AndroidManagedAppProtection.php +++ b/src/Model/AndroidManagedAppProtection.php @@ -26,7 +26,7 @@ class AndroidManagedAppProtection extends TargetedManagedAppProtection { /** * Gets the customBrowserDisplayName - * Friendly name of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Friendly name of the preferred custom browser to open weblink on Android. * * @return string|null The customBrowserDisplayName */ @@ -41,7 +41,7 @@ public function getCustomBrowserDisplayName() /** * Sets the customBrowserDisplayName - * Friendly name of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Friendly name of the preferred custom browser to open weblink on Android. * * @param string $val The customBrowserDisplayName * @@ -55,7 +55,7 @@ public function setCustomBrowserDisplayName($val) /** * Gets the customBrowserPackageId - * Unique identifier of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Unique identifier of a custom browser to open weblink on Android. * * @return string|null The customBrowserPackageId */ @@ -70,7 +70,7 @@ public function getCustomBrowserPackageId() /** * Sets the customBrowserPackageId - * Unique identifier of the preferred custom browser to open weblink on Android. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * Unique identifier of a custom browser to open weblink on Android. * * @param string $val The customBrowserPackageId * diff --git a/src/Model/AppConsentRequest.php b/src/Model/AppConsentRequest.php index 6c079e1ce65..a8b7dd3d63a 100644 --- a/src/Model/AppConsentRequest.php +++ b/src/Model/AppConsentRequest.php @@ -85,7 +85,7 @@ public function setAppId($val) /** * Gets the pendingScopes - * A list of pending scopes waiting for approval. Required. + * A list of pending scopes waiting for approval. This is empty if the consentType is Static. Required. * * @return array|null The pendingScopes */ @@ -100,7 +100,7 @@ public function getPendingScopes() /** * Sets the pendingScopes - * A list of pending scopes waiting for approval. Required. + * A list of pending scopes waiting for approval. This is empty if the consentType is Static. Required. * * @param AppConsentRequestScope $val The pendingScopes * diff --git a/src/Model/Application.php b/src/Model/Application.php index f5a02c5f3ff..42c3509e1bd 100644 --- a/src/Model/Application.php +++ b/src/Model/Application.php @@ -89,7 +89,7 @@ public function setApi($val) /** * Gets the appId - * The unique identifier for the application that is assigned to an application by Azure AD. Not nullable. Read-only. + * The unique identifier for the application that is assigned by Azure AD. Not nullable. Read-only. * * @return string|null The appId */ @@ -104,7 +104,7 @@ public function getAppId() /** * Sets the appId - * The unique identifier for the application that is assigned to an application by Azure AD. Not nullable. Read-only. + * The unique identifier for the application that is assigned by Azure AD. Not nullable. Read-only. * * @param string $val The appId * @@ -266,7 +266,7 @@ public function setDisplayName($val) /** * Gets the groupMembershipClaims - * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following valid string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all of the security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). + * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). * * @return string|null The groupMembershipClaims */ @@ -281,7 +281,7 @@ public function getGroupMembershipClaims() /** * Sets the groupMembershipClaims - * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following valid string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all of the security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). + * Configures the groups claim issued in a user or OAuth 2.0 access token that the application expects. To set this attribute, use one of the following string values: None, SecurityGroup (for security groups and Azure AD roles), All (this gets all security groups, distribution groups, and Azure AD directory roles that the signed-in user is a member of). * * @param string $val The groupMembershipClaims * @@ -295,7 +295,7 @@ public function setGroupMembershipClaims($val) /** * Gets the identifierUris - * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. + * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information, see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. * * @return string|null The identifierUris */ @@ -310,7 +310,7 @@ public function getIdentifierUris() /** * Sets the identifierUris - * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. + * The URIs that identify the application within its Azure AD tenant, or within a verified custom domain if the application is multi-tenant. For more information, see Application Objects and Service Principal Objects. The any operator is required for filter expressions on multi-valued properties. Not nullable. * * @param string $val The identifierUris * @@ -324,7 +324,7 @@ public function setIdentifierUris($val) /** * Gets the info - * Basic profile information of the application such as app's marketing, support, terms of service and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more info, see How to: Add Terms of service and privacy statement for registered Azure AD apps. + * Basic profile information of the application, such as it's marketing, support, terms of service, and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more information, see How to: Add Terms of service and privacy statement for registered Azure AD apps. * * @return InformationalUrl|null The info */ @@ -343,7 +343,7 @@ public function getInfo() /** * Sets the info - * Basic profile information of the application such as app's marketing, support, terms of service and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more info, see How to: Add Terms of service and privacy statement for registered Azure AD apps. + * Basic profile information of the application, such as it's marketing, support, terms of service, and privacy statement URLs. The terms of service and privacy statement are surfaced to users through the user consent experience. For more information, see How to: Add Terms of service and privacy statement for registered Azure AD apps. * * @param InformationalUrl $val The info * @@ -386,7 +386,7 @@ public function setIsDeviceOnlyAuthSupported($val) /** * Gets the isFallbackPublicClient - * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where it is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. + * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where the application is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. * * @return bool|null The isFallbackPublicClient */ @@ -401,7 +401,7 @@ public function getIsFallbackPublicClient() /** * Sets the isFallbackPublicClient - * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where it is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. + * Specifies the fallback application type as public client, such as an installed application running on a mobile device. The default value is false which means the fallback application type is confidential client such as a web app. There are certain scenarios where Azure AD cannot determine the client application type. For example, the ROPC flow where the application is configured without specifying a redirect URI. In those cases Azure AD interprets the application type based on the value of this property. * * @param bool $val The isFallbackPublicClient * @@ -663,7 +663,7 @@ public function setPublicClient($val) /** * Gets the publisherDomain - * The verified publisher domain for the application. Read-only. For more information, see How to: Configure an application's publisher domain. + * The verified publisher domain for the application. Read-only. * * @return string|null The publisherDomain */ @@ -678,7 +678,7 @@ public function getPublisherDomain() /** * Sets the publisherDomain - * The verified publisher domain for the application. Read-only. For more information, see How to: Configure an application's publisher domain. + * The verified publisher domain for the application. Read-only. * * @param string $val The publisherDomain * diff --git a/src/Model/AppliedConditionalAccessPolicy.php b/src/Model/AppliedConditionalAccessPolicy.php index 97c35cced39..fdb361ceeb1 100644 --- a/src/Model/AppliedConditionalAccessPolicy.php +++ b/src/Model/AppliedConditionalAccessPolicy.php @@ -109,7 +109,7 @@ public function setEnforcedSessionControls($val) } /** * Gets the id - * An identifier of the conditional access policy. + * Identifier of the conditional access policy. * * @return string|null The id */ @@ -124,7 +124,7 @@ public function getId() /** * Sets the id - * An identifier of the conditional access policy. + * Identifier of the conditional access policy. * * @param string $val The value of the id * @@ -138,7 +138,7 @@ public function setId($val) /** * Gets the result - * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue. + * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue, reportOnlySuccess, reportOnlyFailure, reportOnlyNotApplied, reportOnlyInterrupted * * @return AppliedConditionalAccessPolicyResult|null The result */ @@ -157,7 +157,7 @@ public function getResult() /** * Sets the result - * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue. + * Indicates the result of the CA policy that was triggered. Possible values are: success, failure, notApplied (Policy isn't applied because policy conditions were not met),notEnabled (This is due to the policy in disabled state), unknown, unknownFutureValue, reportOnlySuccess, reportOnlyFailure, reportOnlyNotApplied, reportOnlyInterrupted * * @param AppliedConditionalAccessPolicyResult $val The value to assign to the result * diff --git a/src/Model/Approval.php b/src/Model/Approval.php index a9141a8d81e..3e18c00cc15 100644 --- a/src/Model/Approval.php +++ b/src/Model/Approval.php @@ -27,7 +27,7 @@ class Approval extends Entity /** * Gets the stages - * A collection of stages in the approval decision. + * Used for the approvalStages property of approval settings in the requestApprovalSettings property of an access package assignment policy. Specifies the primary, fallback, and escalation approvers of each stage. * * @return array|null The stages */ @@ -42,7 +42,7 @@ public function getStages() /** * Sets the stages - * A collection of stages in the approval decision. + * Used for the approvalStages property of approval settings in the requestApprovalSettings property of an access package assignment policy. Specifies the primary, fallback, and escalation approvers of each stage. * * @param ApprovalStage $val The stages * diff --git a/src/Model/AssignedPlan.php b/src/Model/AssignedPlan.php index 8cb99b2abea..865c18f75ac 100644 --- a/src/Model/AssignedPlan.php +++ b/src/Model/AssignedPlan.php @@ -26,7 +26,7 @@ class AssignedPlan extends Entity /** * Gets the assignedDateTime - * The date and time at which the plan was assigned. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * The date and time at which the plan was assigned; for example: 2013-01-02T19:32:30Z. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @return \DateTime|null The assignedDateTime */ @@ -45,7 +45,7 @@ public function getAssignedDateTime() /** * Sets the assignedDateTime - * The date and time at which the plan was assigned. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. + * The date and time at which the plan was assigned; for example: 2013-01-02T19:32:30Z. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z * * @param \DateTime $val The value to assign to the assignedDateTime * @@ -58,7 +58,7 @@ public function setAssignedDateTime($val) } /** * Gets the capabilityStatus - * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. See a detailed description of each value. + * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. * * @return string|null The capabilityStatus */ @@ -73,7 +73,7 @@ public function getCapabilityStatus() /** * Sets the capabilityStatus - * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. See a detailed description of each value. + * Condition of the capability assignment. The possible values are Enabled, Warning, Suspended, Deleted, LockedOut. * * @param string $val The value of the capabilityStatus * diff --git a/src/Model/AssignmentOrder.php b/src/Model/AssignmentOrder.php index 16e3b4a0313..2d0156e4eda 100644 --- a/src/Model/AssignmentOrder.php +++ b/src/Model/AssignmentOrder.php @@ -25,7 +25,7 @@ class AssignmentOrder extends Entity { /** * Gets the order - * A list of identityUserFlowAttribute object identifiers that determine the order in which attributes should be collected within a user flow. + * A list of identityUserFlowAttribute IDs provided to determine the order in which attributes should be collected within a user flow. * * @return string|null The order */ @@ -40,7 +40,7 @@ public function getOrder() /** * Sets the order - * A list of identityUserFlowAttribute object identifiers that determine the order in which attributes should be collected within a user flow. + * A list of identityUserFlowAttribute IDs provided to determine the order in which attributes should be collected within a user flow. * * @param string $val The value of the order * diff --git a/src/Model/Attachment.php b/src/Model/Attachment.php index 91a04e172c9..823db18f3ad 100644 --- a/src/Model/Attachment.php +++ b/src/Model/Attachment.php @@ -117,7 +117,7 @@ public function setLastModifiedDateTime($val) /** * Gets the name - * The attachment's file name. + * The display name of the attachment. This does not need to be the actual file name. * * @return string|null The name */ @@ -132,7 +132,7 @@ public function getName() /** * Sets the name - * The attachment's file name. + * The display name of the attachment. This does not need to be the actual file name. * * @param string $val The name * diff --git a/src/Model/AttendeeAvailability.php b/src/Model/AttendeeAvailability.php index 5f920303dbf..a8ea3fd3544 100644 --- a/src/Model/AttendeeAvailability.php +++ b/src/Model/AttendeeAvailability.php @@ -59,7 +59,7 @@ public function setAttendee($val) /** * Gets the availability - * The availability status of the attendee. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * The availability status of the attendee. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @return FreeBusyStatus|null The availability */ @@ -78,7 +78,7 @@ public function getAvailability() /** * Sets the availability - * The availability status of the attendee. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * The availability status of the attendee. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @param FreeBusyStatus $val The value to assign to the availability * diff --git a/src/Model/AttendeeBase.php b/src/Model/AttendeeBase.php index e4f082c0dc4..7558b37594e 100644 --- a/src/Model/AttendeeBase.php +++ b/src/Model/AttendeeBase.php @@ -26,7 +26,7 @@ class AttendeeBase extends Recipient /** * Gets the type - * The type of attendee. The possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. + * The type of attendee. Possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. * * @return AttendeeType|null The type */ @@ -45,7 +45,7 @@ public function getType() /** * Sets the type - * The type of attendee. The possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. + * The type of attendee. Possible values are: required, optional, resource. Currently if the attendee is a person, findMeetingTimes always considers the person is of the Required type. * * @param AttendeeType $val The value to assign to the type * diff --git a/src/Model/AuthenticationFlowsPolicy.php b/src/Model/AuthenticationFlowsPolicy.php index d0fb1a77b71..5abdeeaa1d9 100644 --- a/src/Model/AuthenticationFlowsPolicy.php +++ b/src/Model/AuthenticationFlowsPolicy.php @@ -26,7 +26,7 @@ class AuthenticationFlowsPolicy extends Entity { /** * Gets the description - * Inherited property. A description of the policy. Optional. Read-only. + * Inherited property. A description of the policy. This property is not a key. Optional. Read-only. * * @return string|null The description */ @@ -41,7 +41,7 @@ public function getDescription() /** * Sets the description - * Inherited property. A description of the policy. Optional. Read-only. + * Inherited property. A description of the policy. This property is not a key. Optional. Read-only. * * @param string $val The description * @@ -55,7 +55,7 @@ public function setDescription($val) /** * Gets the displayName - * Inherited property. The human-readable name of the policy. Optional. Read-only. + * Inherited property. The human-readable name of the policy. This property is not a key. Optional. Read-only. * * @return string|null The displayName */ @@ -70,7 +70,7 @@ public function getDisplayName() /** * Sets the displayName - * Inherited property. The human-readable name of the policy. Optional. Read-only. + * Inherited property. The human-readable name of the policy. This property is not a key. Optional. Read-only. * * @param string $val The displayName * @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the selfServiceSignUp - * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. Optional. Read-only. + * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. This property is not a key. Optional. Read-only. * * @return SelfServiceSignUpAuthenticationFlowConfiguration|null The selfServiceSignUp */ @@ -103,7 +103,7 @@ public function getSelfServiceSignUp() /** * Sets the selfServiceSignUp - * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. Optional. Read-only. + * Contains selfServiceSignUpAuthenticationFlowConfiguration settings that convey whether self-service sign-up is enabled or disabled. This property is not a key. Optional. Read-only. * * @param SelfServiceSignUpAuthenticationFlowConfiguration $val The selfServiceSignUp * diff --git a/src/Model/AuthorizationPolicy.php b/src/Model/AuthorizationPolicy.php index 4fff1fb0058..96023f700bc 100644 --- a/src/Model/AuthorizationPolicy.php +++ b/src/Model/AuthorizationPolicy.php @@ -206,4 +206,33 @@ public function setDefaultUserRolePermissions($val) return $this; } + /** + * Gets the guestUserRoleId + * Represents role templateId for the role that should be granted to guest user. Refer to List unifiedRoleDefinitions to find the list of available role templates. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). + * + * @return string|null The guestUserRoleId + */ + public function getGuestUserRoleId() + { + if (array_key_exists("guestUserRoleId", $this->_propDict)) { + return $this->_propDict["guestUserRoleId"]; + } else { + return null; + } + } + + /** + * Sets the guestUserRoleId + * Represents role templateId for the role that should be granted to guest user. Refer to List unifiedRoleDefinitions to find the list of available role templates. Currently following roles are supported: User (a0b1b346-4d3e-4e8b-98f8-753987be4970), Guest User (10dae51f-b6af-4016-8d66-8c2a99b929b3), and Restricted Guest User (2af84b1e-32c8-42b7-82bc-daa82404023b). + * + * @param string $val The guestUserRoleId + * + * @return AuthorizationPolicy + */ + public function setGuestUserRoleId($val) + { + $this->_propDict["guestUserRoleId"] = $val; + return $this; + } + } diff --git a/src/Model/AutomaticRepliesSetting.php b/src/Model/AutomaticRepliesSetting.php index 620e330336b..01711eb1bb3 100644 --- a/src/Model/AutomaticRepliesSetting.php +++ b/src/Model/AutomaticRepliesSetting.php @@ -26,7 +26,7 @@ class AutomaticRepliesSetting extends Entity /** * Gets the externalAudience - * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. The possible values are: none, contactsOnly, all. + * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. Possible values are: none, contactsOnly, all. * * @return ExternalAudienceScope|null The externalAudience */ @@ -45,7 +45,7 @@ public function getExternalAudience() /** * Sets the externalAudience - * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. The possible values are: none, contactsOnly, all. + * The set of audience external to the signed-in user's organization who will receive the ExternalReplyMessage, if Status is AlwaysEnabled or Scheduled. Possible values are: none, contactsOnly, all. * * @param ExternalAudienceScope $val The value to assign to the externalAudience * @@ -181,7 +181,7 @@ public function setScheduledStartDateTime($val) /** * Gets the status - * Configurations status for automatic replies. The possible values are: disabled, alwaysEnabled, scheduled. + * Configurations status for automatic replies. Possible values are: disabled, alwaysEnabled, scheduled. * * @return AutomaticRepliesStatus|null The status */ @@ -200,7 +200,7 @@ public function getStatus() /** * Sets the status - * Configurations status for automatic replies. The possible values are: disabled, alwaysEnabled, scheduled. + * Configurations status for automatic replies. Possible values are: disabled, alwaysEnabled, scheduled. * * @param AutomaticRepliesStatus $val The value to assign to the status * diff --git a/src/Model/B2xIdentityUserFlow.php b/src/Model/B2xIdentityUserFlow.php index aa8a72fbe56..ceae2e49229 100644 --- a/src/Model/B2xIdentityUserFlow.php +++ b/src/Model/B2xIdentityUserFlow.php @@ -26,7 +26,7 @@ class B2xIdentityUserFlow extends IdentityUserFlow { /** * Gets the apiConnectorConfiguration - * Configuration for enabling an API connector for use as part of the self-service sign-up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. + * Configuration for enabling an API connector for use as part of the self-service sign up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. * * @return UserFlowApiConnectorConfiguration|null The apiConnectorConfiguration */ @@ -45,7 +45,7 @@ public function getApiConnectorConfiguration() /** * Sets the apiConnectorConfiguration - * Configuration for enabling an API connector for use as part of the self-service sign-up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. + * Configuration for enabling an API connector for use as part of the self-service sign up user flow. You can only obtain the value of this object using Get userFlowApiConnectorConfiguration. * * @param UserFlowApiConnectorConfiguration $val The apiConnectorConfiguration * @@ -90,7 +90,7 @@ public function setIdentityProviders($val) /** * Gets the languages - * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign-up user flow. You cannot create custom languages in self-service sign-up user flows. + * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign up user flow. You cannot create custom languages in self-service sign up user flows. * * @return array|null The languages */ @@ -105,7 +105,7 @@ public function getLanguages() /** * Sets the languages - * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign-up user flow. You cannot create custom languages in self-service sign-up user flows. + * The languages supported for customization within the user flow. Language customization is enabled by default in self-service sign up user flow. You cannot create custom languages in self-service sign up user flows. * * @param UserFlowLanguageConfiguration $val The languages * diff --git a/src/Model/Calendar.php b/src/Model/Calendar.php index 0bd1d5b475a..0ba16677fd2 100644 --- a/src/Model/Calendar.php +++ b/src/Model/Calendar.php @@ -56,7 +56,7 @@ public function setAllowedOnlineMeetingProviders($val) /** * Gets the canEdit - * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access. + * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access, through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @return bool|null The canEdit */ @@ -71,7 +71,7 @@ public function getCanEdit() /** * Sets the canEdit - * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access. + * true if the user can write to the calendar, false otherwise. This property is true for the user who created the calendar. This property is also true for a user who has been shared a calendar and granted write access, through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @param bool $val The canEdit * @@ -85,7 +85,7 @@ public function setCanEdit($val) /** * Gets the canShare - * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. + * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. Read-only. * * @return bool|null The canShare */ @@ -100,7 +100,7 @@ public function getCanShare() /** * Sets the canShare - * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. + * true if the user has the permission to share the calendar, false otherwise. Only the user who created the calendar can share it. Read-only. * * @param bool $val The canShare * @@ -114,7 +114,7 @@ public function setCanShare($val) /** * Gets the canViewPrivateItems - * true if the user can read calendar items that have been marked private, false otherwise. + * true if the user can read calendar items that have been marked private, false otherwise. This property is set through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @return bool|null The canViewPrivateItems */ @@ -129,7 +129,7 @@ public function getCanViewPrivateItems() /** * Sets the canViewPrivateItems - * true if the user can read calendar items that have been marked private, false otherwise. + * true if the user can read calendar items that have been marked private, false otherwise. This property is set through an Outlook client or the corresponding calendarPermission resource. Read-only. * * @param bool $val The canViewPrivateItems * @@ -238,7 +238,7 @@ public function setDefaultOnlineMeetingProvider($val) /** * Gets the hexColor - * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. Read-only. + * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. * * @return string|null The hexColor */ @@ -253,7 +253,7 @@ public function getHexColor() /** * Sets the hexColor - * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. Read-only. + * The calendar color, expressed in a hex color code of three hexadecimal values, each ranging from 00 to FF and representing the red, green, or blue components of the color in the RGB color space. If the user has never explicitly set a color for the calendar, this property is empty. * * @param string $val The hexColor * @@ -383,7 +383,7 @@ public function setName($val) /** * Gets the owner - * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. + * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. Read-only. * * @return EmailAddress|null The owner */ @@ -402,7 +402,7 @@ public function getOwner() /** * Sets the owner - * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. + * If set, this represents the user who created or added the calendar. For a calendar that the user created or added, the owner property is set to the user. For a calendar shared with the user, the owner property is set to the person who shared that calendar with the user. Read-only. * * @param EmailAddress $val The owner * diff --git a/src/Model/Call.php b/src/Model/Call.php index be7b20d7faf..a56055bc818 100644 --- a/src/Model/Call.php +++ b/src/Model/Call.php @@ -145,7 +145,7 @@ public function setCallRoutes($val) /** * Gets the chatInfo - * The chat information. Required information for joining a meeting. + * The chat information. Required information for meeting scenarios. * * @return ChatInfo|null The chatInfo */ @@ -164,7 +164,7 @@ public function getChatInfo() /** * Sets the chatInfo - * The chat information. Required information for joining a meeting. + * The chat information. Required information for meeting scenarios. * * @param ChatInfo $val The chatInfo * @@ -244,7 +244,7 @@ public function setIncomingContext($val) /** * Gets the mediaConfig - * The media configuration. Required. + * The media configuration. Required information for creating peer to peer calls or joining meetings. * * @return MediaConfig|null The mediaConfig */ @@ -263,7 +263,7 @@ public function getMediaConfig() /** * Sets the mediaConfig - * The media configuration. Required. + * The media configuration. Required information for creating peer to peer calls or joining meetings. * * @param MediaConfig $val The mediaConfig * @@ -310,7 +310,7 @@ public function setMediaState($val) /** * Gets the meetingInfo - * The meeting information that's required for joining a meeting. + * The meeting information. Required information for meeting scenarios. * * @return MeetingInfo|null The meetingInfo */ @@ -329,7 +329,7 @@ public function getMeetingInfo() /** * Sets the meetingInfo - * The meeting information that's required for joining a meeting. + * The meeting information. Required information for meeting scenarios. * * @param MeetingInfo $val The meetingInfo * diff --git a/src/Model/ChangeNotification.php b/src/Model/ChangeNotification.php index bda2828ec1c..cb61f8c7984 100644 --- a/src/Model/ChangeNotification.php +++ b/src/Model/ChangeNotification.php @@ -58,7 +58,7 @@ public function setChangeType($val) } /** * Gets the clientState - * Value of the clientState property sent in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. + * Value of the clientState property sent specified in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. * * @return string|null The clientState */ @@ -73,7 +73,7 @@ public function getClientState() /** * Sets the clientState - * Value of the clientState property sent in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. + * Value of the clientState property sent specified in the subscription request (if any). The maximum length is 255 characters. The client can check whether the change notification came from the service by comparing the values of the clientState property. The value of the clientState property sent with the subscription is compared with the value of the clientState property received with each change notification. Optional. * * @param string $val The value of the clientState * diff --git a/src/Model/Channel.php b/src/Model/Channel.php index 12d02fa3b6a..a9187120f49 100644 --- a/src/Model/Channel.php +++ b/src/Model/Channel.php @@ -175,7 +175,7 @@ public function setIsFavoriteByDefault($val) /** * Gets the membershipType - * The type of the channel. Can be set during creation and cannot be changed. Possible values are: standard - Channel inherits the list of members of the parent team; private - Channel can have members that are a subset of all the members on the parent team. + * The type of the channel. Can be set during creation and cannot be changed. Default: standard. * * @return ChannelMembershipType|null The membershipType */ @@ -194,7 +194,7 @@ public function getMembershipType() /** * Sets the membershipType - * The type of the channel. Can be set during creation and cannot be changed. Possible values are: standard - Channel inherits the list of members of the parent team; private - Channel can have members that are a subset of all the members on the parent team. + * The type of the channel. Can be set during creation and cannot be changed. Default: standard. * * @param ChannelMembershipType $val The membershipType * diff --git a/src/Model/ChatInfo.php b/src/Model/ChatInfo.php index 4ba83443f76..43191e50990 100644 --- a/src/Model/ChatInfo.php +++ b/src/Model/ChatInfo.php @@ -25,7 +25,7 @@ class ChatInfo extends Entity { /** * Gets the messageId - * The unique identifier of a message in a Microsoft Teams channel. + * The unique identifier for a message in a Microsoft Teams channel. * * @return string|null The messageId */ @@ -40,7 +40,7 @@ public function getMessageId() /** * Sets the messageId - * The unique identifier of a message in a Microsoft Teams channel. + * The unique identifier for a message in a Microsoft Teams channel. * * @param string $val The value of the messageId * diff --git a/src/Model/ChatMessage.php b/src/Model/ChatMessage.php index 6e090108c20..98fb4a9ae95 100644 --- a/src/Model/ChatMessage.php +++ b/src/Model/ChatMessage.php @@ -533,7 +533,7 @@ public function setReactions($val) /** * Gets the replyToId - * Read-only. Id of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) + * Read-only. ID of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) * * @return string|null The replyToId */ @@ -548,7 +548,7 @@ public function getReplyToId() /** * Sets the replyToId - * Read-only. Id of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) + * Read-only. ID of the parent chat message or root chat message of the thread. (Only applies to chat messages in channels, not chats.) * * @param string $val The replyToId * diff --git a/src/Model/CloudAppSecuritySessionControl.php b/src/Model/CloudAppSecuritySessionControl.php index 76c98d3d2a1..f768f0daed8 100644 --- a/src/Model/CloudAppSecuritySessionControl.php +++ b/src/Model/CloudAppSecuritySessionControl.php @@ -26,7 +26,7 @@ class CloudAppSecuritySessionControl extends ConditionalAccessSessionControl /** * Gets the cloudAppSecurityType - * Possible values are: mcasConfigured, monitorOnly, blockDownloads, unknownFutureValue. For more information, see Deploy Conditional Access App Control for featured apps. + * Possible values are: mcasConfigured, monitorOnly, blockDownloads. Learn more about these values here: https://docs.microsoft.com/cloud-app-security/proxy-deployment-aad#step-1-create-an-azure-ad-conditional-access-test-policy- * * @return CloudAppSecuritySessionControlType|null The cloudAppSecurityType */ @@ -45,7 +45,7 @@ public function getCloudAppSecurityType() /** * Sets the cloudAppSecurityType - * Possible values are: mcasConfigured, monitorOnly, blockDownloads, unknownFutureValue. For more information, see Deploy Conditional Access App Control for featured apps. + * Possible values are: mcasConfigured, monitorOnly, blockDownloads. Learn more about these values here: https://docs.microsoft.com/cloud-app-security/proxy-deployment-aad#step-1-create-an-azure-ad-conditional-access-test-policy- * * @param CloudAppSecuritySessionControlType $val The value to assign to the cloudAppSecurityType * diff --git a/src/Model/ConditionalAccessGrantControls.php b/src/Model/ConditionalAccessGrantControls.php index 321b18205c7..51138c62308 100644 --- a/src/Model/ConditionalAccessGrantControls.php +++ b/src/Model/ConditionalAccessGrantControls.php @@ -58,7 +58,7 @@ public function setBuiltInControls($val) } /** * Gets the customAuthenticationFactors - * List of custom controls IDs required by the policy. For more information, see Custom controls. + * List of custom controls IDs required by the policy. Learn more about custom controls here: https://docs.microsoft.com/azure/active-directory/conditional-access/controls#custom-controls-preview * * @return string|null The customAuthenticationFactors */ @@ -73,7 +73,7 @@ public function getCustomAuthenticationFactors() /** * Sets the customAuthenticationFactors - * List of custom controls IDs required by the policy. For more information, see Custom controls. + * List of custom controls IDs required by the policy. Learn more about custom controls here: https://docs.microsoft.com/azure/active-directory/conditional-access/controls#custom-controls-preview * * @param string $val The value of the customAuthenticationFactors * diff --git a/src/Model/Contact.php b/src/Model/Contact.php index 77634378451..5bf68ff3499 100644 --- a/src/Model/Contact.php +++ b/src/Model/Contact.php @@ -1001,7 +1001,7 @@ public function setYomiSurname($val) /** * Gets the extensions - * The collection of open extensions defined for the contact. Read-only. Nullable. + * The collection of open extensions defined for the contact. Nullable. * * @return array|null The extensions */ @@ -1016,7 +1016,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the contact. Read-only. Nullable. + * The collection of open extensions defined for the contact. Nullable. * * @param Extension $val The extensions * diff --git a/src/Model/DateTimeTimeZone.php b/src/Model/DateTimeTimeZone.php index 789a3fdcd1e..31da7478d6b 100644 --- a/src/Model/DateTimeTimeZone.php +++ b/src/Model/DateTimeTimeZone.php @@ -25,7 +25,7 @@ class DateTimeTimeZone extends Entity { /** * Gets the dateTime - * A single point of time in a combined date and time representation ({date}T{time}; for example, 2017-08-29T04:00:00.0000000). + * A single point of time in a combined date and time representation ({date}T{time}). For example, '2019-04-16T09:00:00'. * * @return string|null The dateTime */ @@ -40,7 +40,7 @@ public function getDateTime() /** * Sets the dateTime - * A single point of time in a combined date and time representation ({date}T{time}; for example, 2017-08-29T04:00:00.0000000). + * A single point of time in a combined date and time representation ({date}T{time}). For example, '2019-04-16T09:00:00'. * * @param string $val The value of the dateTime * @@ -53,7 +53,7 @@ public function setDateTime($val) } /** * Gets the timeZone - * Represents a time zone, for example, 'Pacific Standard Time'. See below for more possible values. + * Represents a time zone, for example, 'Pacific Standard Time'. See below for possible values. * * @return string|null The timeZone */ @@ -68,7 +68,7 @@ public function getTimeZone() /** * Sets the timeZone - * Represents a time zone, for example, 'Pacific Standard Time'. See below for more possible values. + * Represents a time zone, for example, 'Pacific Standard Time'. See below for possible values. * * @param string $val The value of the timeZone * diff --git a/src/Model/DelegatedPermissionClassification.php b/src/Model/DelegatedPermissionClassification.php index 7b9d82120a0..b1ba8431809 100644 --- a/src/Model/DelegatedPermissionClassification.php +++ b/src/Model/DelegatedPermissionClassification.php @@ -59,7 +59,7 @@ public function setClassification($val) /** * Gets the permissionId - * The unique identifier (id) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. + * The unique identifier (id) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. * * @return string|null The permissionId */ @@ -74,7 +74,7 @@ public function getPermissionId() /** * Sets the permissionId - * The unique identifier (id) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. + * The unique identifier (id) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Required on create. Does not support $filter. * * @param string $val The permissionId * @@ -88,7 +88,7 @@ public function setPermissionId($val) /** * Gets the permissionName - * The claim value (value) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Does not support $filter. + * The claim value (value) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Does not support $filter. * * @return string|null The permissionName */ @@ -103,7 +103,7 @@ public function getPermissionName() /** * Sets the permissionName - * The claim value (value) for the delegated permission listed in the oauth2PermissionScopes collection of the servicePrincipal. Does not support $filter. + * The claim value (value) for the delegated permission listed in the publishedPermissionScopes collection of the servicePrincipal. Does not support $filter. * * @param string $val The permissionName * diff --git a/src/Model/Device.php b/src/Model/Device.php index 75bba0d4106..21feceaeaa7 100644 --- a/src/Model/Device.php +++ b/src/Model/Device.php @@ -26,7 +26,7 @@ class Device extends DirectoryObject { /** * Gets the accountEnabled - * true if the account is enabled; otherwise, false. Required. + * true if the account is enabled; otherwise, false. default is true. * * @return bool|null The accountEnabled */ @@ -41,7 +41,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * true if the account is enabled; otherwise, false. Required. + * true if the account is enabled; otherwise, false. default is true. * * @param bool $val The accountEnabled * @@ -151,7 +151,7 @@ public function setComplianceExpirationDateTime($val) /** * Gets the deviceId - * Unique identifier set by Azure Device Registration Service at the time of registration. + * Identifier set by Azure Device Registration Service at the time of registration. * * @return string|null The deviceId */ @@ -166,7 +166,7 @@ public function getDeviceId() /** * Sets the deviceId - * Unique identifier set by Azure Device Registration Service at the time of registration. + * Identifier set by Azure Device Registration Service at the time of registration. * * @param string $val The deviceId * @@ -445,7 +445,7 @@ public function setOperatingSystem($val) /** * Gets the operatingSystemVersion - * The version of the operating system on the device. Required. + * Operating system version of the device. Required. * * @return string|null The operatingSystemVersion */ @@ -460,7 +460,7 @@ public function getOperatingSystemVersion() /** * Sets the operatingSystemVersion - * The version of the operating system on the device. Required. + * Operating system version of the device. Required. * * @param string $val The operatingSystemVersion * @@ -561,7 +561,7 @@ public function setSystemLabels($val) /** * Gets the trustType - * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory + * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory * * @return string|null The trustType */ @@ -576,7 +576,7 @@ public function getTrustType() /** * Sets the trustType - * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory + * Type of trust for the joined device. Read-only. Possible values: Workplace (indicates bring your own personal devices), AzureAd (Cloud only joined devices), ServerAd (on-premises domain joined devices joined to Azure AD). For more details, see Introduction to device management in Azure Active Directory * * @param string $val The trustType * @@ -681,7 +681,7 @@ public function setRegisteredUsers($val) /** * Gets the transitiveMemberOf - * Groups that the device is a member of. This operation is transitive. + * Groups that this device is a member of. This operation is transitive. * * @return array|null The transitiveMemberOf */ @@ -696,7 +696,7 @@ public function getTransitiveMemberOf() /** * Sets the transitiveMemberOf - * Groups that the device is a member of. This operation is transitive. + * Groups that this device is a member of. This operation is transitive. * * @param DirectoryObject $val The transitiveMemberOf * diff --git a/src/Model/DeviceComplianceActionItem.php b/src/Model/DeviceComplianceActionItem.php index b67c27ad324..9c34edcff18 100644 --- a/src/Model/DeviceComplianceActionItem.php +++ b/src/Model/DeviceComplianceActionItem.php @@ -26,7 +26,7 @@ class DeviceComplianceActionItem extends Entity { /** * Gets the actionType - * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification. + * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification, remoteLock. * * @return DeviceComplianceActionType|null The actionType */ @@ -45,7 +45,7 @@ public function getActionType() /** * Sets the actionType - * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification. + * What action to take. Possible values are: noAction, notification, block, retire, wipe, removeResourceAccessProfiles, pushNotification, remoteLock. * * @param DeviceComplianceActionType $val The actionType * diff --git a/src/Model/DeviceCompliancePolicySettingStateSummary.php b/src/Model/DeviceCompliancePolicySettingStateSummary.php index cc418c898f0..ef4d66745dd 100644 --- a/src/Model/DeviceCompliancePolicySettingStateSummary.php +++ b/src/Model/DeviceCompliancePolicySettingStateSummary.php @@ -171,7 +171,7 @@ public function setNotApplicableDeviceCount($val) /** * Gets the platformType - * Setting platform. Possible values are: android, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, all. + * Setting platform. Possible values are: android, androidForWork, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, windows10XProfile, all. * * @return PolicyPlatformType|null The platformType */ @@ -190,7 +190,7 @@ public function getPlatformType() /** * Sets the platformType - * Setting platform. Possible values are: android, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, all. + * Setting platform. Possible values are: android, androidForWork, iOS, macOS, windowsPhone81, windows81AndLater, windows10AndLater, androidWorkProfile, windows10XProfile, all. * * @param PolicyPlatformType $val The platformType * diff --git a/src/Model/DeviceDetail.php b/src/Model/DeviceDetail.php index ed30b880af7..a2256cf0a7f 100644 --- a/src/Model/DeviceDetail.php +++ b/src/Model/DeviceDetail.php @@ -25,7 +25,7 @@ class DeviceDetail extends Entity { /** * Gets the browser - * Indicates the browser information of the used for signing in. + * Indicates the browser information of the used for signing-in. * * @return string|null The browser */ @@ -40,7 +40,7 @@ public function getBrowser() /** * Sets the browser - * Indicates the browser information of the used for signing in. + * Indicates the browser information of the used for signing-in. * * @param string $val The value of the browser * @@ -53,7 +53,7 @@ public function setBrowser($val) } /** * Gets the deviceId - * Refers to the UniqueID of the device used for signing in. + * Refers to the UniqueID of the device used for signing-in. * * @return string|null The deviceId */ @@ -68,7 +68,7 @@ public function getDeviceId() /** * Sets the deviceId - * Refers to the UniqueID of the device used for signing in. + * Refers to the UniqueID of the device used for signing-in. * * @param string $val The value of the deviceId * @@ -81,7 +81,7 @@ public function setDeviceId($val) } /** * Gets the displayName - * Refers to the name of the device used for signing in. + * Refers to the name of the device used for signing-in. * * @return string|null The displayName */ @@ -96,7 +96,7 @@ public function getDisplayName() /** * Sets the displayName - * Refers to the name of the device used for signing in. + * Refers to the name of the device used for signing-in. * * @param string $val The value of the displayName * @@ -109,7 +109,7 @@ public function setDisplayName($val) } /** * Gets the isCompliant - * Indicates whether the device is compliant. + * Indicates whether the device is compliant or not. * * @return bool|null The isCompliant */ @@ -124,7 +124,7 @@ public function getIsCompliant() /** * Sets the isCompliant - * Indicates whether the device is compliant. + * Indicates whether the device is compliant or not. * * @param bool $val The value of the isCompliant * @@ -137,7 +137,7 @@ public function setIsCompliant($val) } /** * Gets the isManaged - * Indicates whether the device is managed. + * Indicates if the device is managed or not. * * @return bool|null The isManaged */ @@ -152,7 +152,7 @@ public function getIsManaged() /** * Sets the isManaged - * Indicates whether the device is managed. + * Indicates if the device is managed or not. * * @param bool $val The value of the isManaged * @@ -165,7 +165,7 @@ public function setIsManaged($val) } /** * Gets the operatingSystem - * Indicates the operating system name and version used for signing in. + * Indicates the OS name and version used for signing-in. * * @return string|null The operatingSystem */ @@ -180,7 +180,7 @@ public function getOperatingSystem() /** * Sets the operatingSystem - * Indicates the operating system name and version used for signing in. + * Indicates the OS name and version used for signing-in. * * @param string $val The value of the operatingSystem * @@ -193,7 +193,7 @@ public function setOperatingSystem($val) } /** * Gets the trustType - * Provides information about whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. + * Indicates information on whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. * * @return string|null The trustType */ @@ -208,7 +208,7 @@ public function getTrustType() /** * Sets the trustType - * Provides information about whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. + * Indicates information on whether the signed-in device is Workplace Joined, AzureAD Joined, Domain Joined. * * @param string $val The value of the trustType * diff --git a/src/Model/DeviceEnrollmentConfiguration.php b/src/Model/DeviceEnrollmentConfiguration.php index b16bed33f0c..4fa4d901ca3 100644 --- a/src/Model/DeviceEnrollmentConfiguration.php +++ b/src/Model/DeviceEnrollmentConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentConfiguration extends Entity { /** * Gets the createdDateTime - * Not yet documented + * Created date time in UTC of the device enrollment configuration * * @return \DateTime|null The createdDateTime */ @@ -45,7 +45,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * Not yet documented + * Created date time in UTC of the device enrollment configuration * * @param \DateTime $val The createdDateTime * @@ -59,7 +59,7 @@ public function setCreatedDateTime($val) /** * Gets the description - * Not yet documented + * The description of the device enrollment configuration * * @return string|null The description */ @@ -74,7 +74,7 @@ public function getDescription() /** * Sets the description - * Not yet documented + * The description of the device enrollment configuration * * @param string $val The description * @@ -88,7 +88,7 @@ public function setDescription($val) /** * Gets the displayName - * Not yet documented + * The display name of the device enrollment configuration * * @return string|null The displayName */ @@ -103,7 +103,7 @@ public function getDisplayName() /** * Sets the displayName - * Not yet documented + * The display name of the device enrollment configuration * * @param string $val The displayName * @@ -117,7 +117,7 @@ public function setDisplayName($val) /** * Gets the lastModifiedDateTime - * Not yet documented + * Last modified date time in UTC of the device enrollment configuration * * @return \DateTime|null The lastModifiedDateTime */ @@ -136,7 +136,7 @@ public function getLastModifiedDateTime() /** * Sets the lastModifiedDateTime - * Not yet documented + * Last modified date time in UTC of the device enrollment configuration * * @param \DateTime $val The lastModifiedDateTime * @@ -150,7 +150,7 @@ public function setLastModifiedDateTime($val) /** * Gets the priority - * Not yet documented + * Priority is used when a user exists in multiple groups that are assigned enrollment configuration. Users are subject only to the configuration with the lowest priority value. * * @return int|null The priority */ @@ -165,7 +165,7 @@ public function getPriority() /** * Sets the priority - * Not yet documented + * Priority is used when a user exists in multiple groups that are assigned enrollment configuration. Users are subject only to the configuration with the lowest priority value. * * @param int $val The priority * @@ -179,7 +179,7 @@ public function setPriority($val) /** * Gets the version - * Not yet documented + * The version of the device enrollment configuration * * @return int|null The version */ @@ -194,7 +194,7 @@ public function getVersion() /** * Sets the version - * Not yet documented + * The version of the device enrollment configuration * * @param int $val The version * @@ -209,7 +209,7 @@ public function setVersion($val) /** * Gets the assignments - * The list of group assignments for the device configuration profile. + * The list of group assignments for the device configuration profile * * @return array|null The assignments */ @@ -224,7 +224,7 @@ public function getAssignments() /** * Sets the assignments - * The list of group assignments for the device configuration profile. + * The list of group assignments for the device configuration profile * * @param EnrollmentConfigurationAssignment $val The assignments * diff --git a/src/Model/DeviceEnrollmentLimitConfiguration.php b/src/Model/DeviceEnrollmentLimitConfiguration.php index 6b70a04eb6f..910e78eaeed 100644 --- a/src/Model/DeviceEnrollmentLimitConfiguration.php +++ b/src/Model/DeviceEnrollmentLimitConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentLimitConfiguration extends DeviceEnrollmentConfiguration { /** * Gets the limit - * Not yet documented + * The maximum number of devices that a user can enroll * * @return int|null The limit */ @@ -41,7 +41,7 @@ public function getLimit() /** * Sets the limit - * Not yet documented + * The maximum number of devices that a user can enroll * * @param int $val The limit * diff --git a/src/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php b/src/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php index f3b672d1b05..5a8cad9adb8 100644 --- a/src/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php +++ b/src/Model/DeviceEnrollmentPlatformRestrictionsConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentPlatformRestrictionsConfiguration extends DeviceEnrollment { /** * Gets the androidRestriction - * Not yet documented + * Android restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The androidRestriction */ @@ -45,7 +45,7 @@ public function getAndroidRestriction() /** * Sets the androidRestriction - * Not yet documented + * Android restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The androidRestriction * @@ -59,7 +59,7 @@ public function setAndroidRestriction($val) /** * Gets the iosRestriction - * Not yet documented + * Ios restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The iosRestriction */ @@ -78,7 +78,7 @@ public function getIosRestriction() /** * Sets the iosRestriction - * Not yet documented + * Ios restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The iosRestriction * @@ -92,7 +92,7 @@ public function setIosRestriction($val) /** * Gets the macOSRestriction - * Not yet documented + * Mac restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The macOSRestriction */ @@ -111,7 +111,7 @@ public function getMacOSRestriction() /** * Sets the macOSRestriction - * Not yet documented + * Mac restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The macOSRestriction * @@ -125,7 +125,7 @@ public function setMacOSRestriction($val) /** * Gets the windowsMobileRestriction - * Not yet documented + * Windows mobile restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The windowsMobileRestriction */ @@ -144,7 +144,7 @@ public function getWindowsMobileRestriction() /** * Sets the windowsMobileRestriction - * Not yet documented + * Windows mobile restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The windowsMobileRestriction * @@ -158,7 +158,7 @@ public function setWindowsMobileRestriction($val) /** * Gets the windowsRestriction - * Not yet documented + * Windows restrictions based on platform, platform operating system version, and device ownership * * @return DeviceEnrollmentPlatformRestriction|null The windowsRestriction */ @@ -177,7 +177,7 @@ public function getWindowsRestriction() /** * Sets the windowsRestriction - * Not yet documented + * Windows restrictions based on platform, platform operating system version, and device ownership * * @param DeviceEnrollmentPlatformRestriction $val The windowsRestriction * diff --git a/src/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php b/src/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php index 2ad672392bc..3536ae36928 100644 --- a/src/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php +++ b/src/Model/DeviceEnrollmentWindowsHelloForBusinessConfiguration.php @@ -26,7 +26,7 @@ class DeviceEnrollmentWindowsHelloForBusinessConfiguration extends DeviceEnrollm { /** * Gets the enhancedBiometricsState - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls the ability to use the anti-spoofing features for facial recognition on devices which support it. If set to disabled, anti-spoofing features are not allowed. If set to Not Configured, the user can choose whether they want to use anti-spoofing. Possible values are: notConfigured, enabled, disabled. * * @return Enablement|null The enhancedBiometricsState */ @@ -45,7 +45,7 @@ public function getEnhancedBiometricsState() /** * Sets the enhancedBiometricsState - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls the ability to use the anti-spoofing features for facial recognition on devices which support it. If set to disabled, anti-spoofing features are not allowed. If set to Not Configured, the user can choose whether they want to use anti-spoofing. Possible values are: notConfigured, enabled, disabled. * * @param Enablement $val The enhancedBiometricsState * @@ -59,7 +59,7 @@ public function setEnhancedBiometricsState($val) /** * Gets the pinExpirationInDays - * Not yet documented + * Controls the period of time (in days) that a PIN can be used before the system requires the user to change it. This must be set between 0 and 730, inclusive. If set to 0, the user's PIN will never expire * * @return int|null The pinExpirationInDays */ @@ -74,7 +74,7 @@ public function getPinExpirationInDays() /** * Sets the pinExpirationInDays - * Not yet documented + * Controls the period of time (in days) that a PIN can be used before the system requires the user to change it. This must be set between 0 and 730, inclusive. If set to 0, the user's PIN will never expire * * @param int $val The pinExpirationInDays * @@ -88,7 +88,7 @@ public function setPinExpirationInDays($val) /** * Gets the pinLowercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use lowercase letters in the Windows Hello for Business PIN. Allowed permits the use of lowercase letter(s), whereas Required ensures they are present. If set to Not Allowed, lowercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinLowercaseCharactersUsage */ @@ -107,7 +107,7 @@ public function getPinLowercaseCharactersUsage() /** * Sets the pinLowercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use lowercase letters in the Windows Hello for Business PIN. Allowed permits the use of lowercase letter(s), whereas Required ensures they are present. If set to Not Allowed, lowercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinLowercaseCharactersUsage * @@ -121,7 +121,7 @@ public function setPinLowercaseCharactersUsage($val) /** * Gets the pinMaximumLength - * Not yet documented + * Controls the maximum number of characters allowed for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive. This value must be greater than or equal to the value set for the minimum PIN. * * @return int|null The pinMaximumLength */ @@ -136,7 +136,7 @@ public function getPinMaximumLength() /** * Sets the pinMaximumLength - * Not yet documented + * Controls the maximum number of characters allowed for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive. This value must be greater than or equal to the value set for the minimum PIN. * * @param int $val The pinMaximumLength * @@ -150,7 +150,7 @@ public function setPinMaximumLength($val) /** * Gets the pinMinimumLength - * Not yet documented + * Controls the minimum number of characters required for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive, and less than or equal to the value set for the maximum PIN. * * @return int|null The pinMinimumLength */ @@ -165,7 +165,7 @@ public function getPinMinimumLength() /** * Sets the pinMinimumLength - * Not yet documented + * Controls the minimum number of characters required for the Windows Hello for Business PIN. This value must be between 4 and 127, inclusive, and less than or equal to the value set for the maximum PIN. * * @param int $val The pinMinimumLength * @@ -179,7 +179,7 @@ public function setPinMinimumLength($val) /** * Gets the pinPreviousBlockCount - * Not yet documented + * Controls the ability to prevent users from using past PINs. This must be set between 0 and 50, inclusive, and the current PIN of the user is included in that count. If set to 0, previous PINs are not stored. PIN history is not preserved through a PIN reset. * * @return int|null The pinPreviousBlockCount */ @@ -194,7 +194,7 @@ public function getPinPreviousBlockCount() /** * Sets the pinPreviousBlockCount - * Not yet documented + * Controls the ability to prevent users from using past PINs. This must be set between 0 and 50, inclusive, and the current PIN of the user is included in that count. If set to 0, previous PINs are not stored. PIN history is not preserved through a PIN reset. * * @param int $val The pinPreviousBlockCount * @@ -208,7 +208,7 @@ public function setPinPreviousBlockCount($val) /** * Gets the pinSpecialCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use special characters in the Windows Hello for Business PIN. Allowed permits the use of special character(s), whereas Required ensures they are present. If set to Not Allowed, special character(s) will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinSpecialCharactersUsage */ @@ -227,7 +227,7 @@ public function getPinSpecialCharactersUsage() /** * Sets the pinSpecialCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use special characters in the Windows Hello for Business PIN. Allowed permits the use of special character(s), whereas Required ensures they are present. If set to Not Allowed, special character(s) will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinSpecialCharactersUsage * @@ -241,7 +241,7 @@ public function setPinSpecialCharactersUsage($val) /** * Gets the pinUppercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use uppercase letters in the Windows Hello for Business PIN. Allowed permits the use of uppercase letter(s), whereas Required ensures they are present. If set to Not Allowed, uppercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @return WindowsHelloForBusinessPinUsage|null The pinUppercaseCharactersUsage */ @@ -260,7 +260,7 @@ public function getPinUppercaseCharactersUsage() /** * Sets the pinUppercaseCharactersUsage - * Not yet documented. Possible values are: allowed, required, disallowed. + * Controls the ability to use uppercase letters in the Windows Hello for Business PIN. Allowed permits the use of uppercase letter(s), whereas Required ensures they are present. If set to Not Allowed, uppercase letters will not be permitted. Possible values are: allowed, required, disallowed. * * @param WindowsHelloForBusinessPinUsage $val The pinUppercaseCharactersUsage * @@ -274,7 +274,7 @@ public function setPinUppercaseCharactersUsage($val) /** * Gets the remotePassportEnabled - * Not yet documented + * Controls the use of Remote Windows Hello for Business. Remote Windows Hello for Business provides the ability for a portable, registered device to be usable as a companion for desktop authentication. The desktop must be Azure AD joined and the companion device must have a Windows Hello for Business PIN. * * @return bool|null The remotePassportEnabled */ @@ -289,7 +289,7 @@ public function getRemotePassportEnabled() /** * Sets the remotePassportEnabled - * Not yet documented + * Controls the use of Remote Windows Hello for Business. Remote Windows Hello for Business provides the ability for a portable, registered device to be usable as a companion for desktop authentication. The desktop must be Azure AD joined and the companion device must have a Windows Hello for Business PIN. * * @param bool $val The remotePassportEnabled * @@ -303,7 +303,7 @@ public function setRemotePassportEnabled($val) /** * Gets the securityDeviceRequired - * Not yet documented + * Controls whether to require a Trusted Platform Module (TPM) for provisioning Windows Hello for Business. A TPM provides an additional security benefit in that data stored on it cannot be used on other devices. If set to False, all devices can provision Windows Hello for Business even if there is not a usable TPM. * * @return bool|null The securityDeviceRequired */ @@ -318,7 +318,7 @@ public function getSecurityDeviceRequired() /** * Sets the securityDeviceRequired - * Not yet documented + * Controls whether to require a Trusted Platform Module (TPM) for provisioning Windows Hello for Business. A TPM provides an additional security benefit in that data stored on it cannot be used on other devices. If set to False, all devices can provision Windows Hello for Business even if there is not a usable TPM. * * @param bool $val The securityDeviceRequired * @@ -332,7 +332,7 @@ public function setSecurityDeviceRequired($val) /** * Gets the state - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls whether to allow the device to be configured for Windows Hello for Business. If set to disabled, the user cannot provision Windows Hello for Business except on Azure Active Directory joined mobile phones if otherwise required. If set to Not Configured, Intune will not override client defaults. Possible values are: notConfigured, enabled, disabled. * * @return Enablement|null The state */ @@ -351,7 +351,7 @@ public function getState() /** * Sets the state - * Not yet documented. Possible values are: notConfigured, enabled, disabled. + * Controls whether to allow the device to be configured for Windows Hello for Business. If set to disabled, the user cannot provision Windows Hello for Business except on Azure Active Directory joined mobile phones if otherwise required. If set to Not Configured, Intune will not override client defaults. Possible values are: notConfigured, enabled, disabled. * * @param Enablement $val The state * @@ -365,7 +365,7 @@ public function setState($val) /** * Gets the unlockWithBiometricsEnabled - * Not yet documented + * Controls the use of biometric gestures, such as face and fingerprint, as an alternative to the Windows Hello for Business PIN. If set to False, biometric gestures are not allowed. Users must still configure a PIN as a backup in case of failures. * * @return bool|null The unlockWithBiometricsEnabled */ @@ -380,7 +380,7 @@ public function getUnlockWithBiometricsEnabled() /** * Sets the unlockWithBiometricsEnabled - * Not yet documented + * Controls the use of biometric gestures, such as face and fingerprint, as an alternative to the Windows Hello for Business PIN. If set to False, biometric gestures are not allowed. Users must still configure a PIN as a backup in case of failures. * * @param bool $val The unlockWithBiometricsEnabled * diff --git a/src/Model/DeviceManagement.php b/src/Model/DeviceManagement.php index c4c6c9c5c93..9b4786d189d 100644 --- a/src/Model/DeviceManagement.php +++ b/src/Model/DeviceManagement.php @@ -121,7 +121,7 @@ public function setIntuneBrand($val) /** * Gets the subscriptionState - * Tenant mobile device management subscription state. The possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. + * Tenant mobile device management subscription state. Possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. * * @return DeviceManagementSubscriptionState|null The subscriptionState */ @@ -140,7 +140,7 @@ public function getSubscriptionState() /** * Sets the subscriptionState - * Tenant mobile device management subscription state. The possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. + * Tenant mobile device management subscription state. Possible values are: pending, active, warning, disabled, deleted, blocked, lockedOut. * * @param DeviceManagementSubscriptionState $val The subscriptionState * diff --git a/src/Model/DeviceManagementSettings.php b/src/Model/DeviceManagementSettings.php index 74e3fdb9dee..9f8dbbe5dae 100644 --- a/src/Model/DeviceManagementSettings.php +++ b/src/Model/DeviceManagementSettings.php @@ -25,7 +25,7 @@ class DeviceManagementSettings extends Entity { /** * Gets the deviceComplianceCheckinThresholdDays - * The number of days a device is allowed to go without checking in to remain compliant. Valid values 0 to 120 + * The number of days a device is allowed to go without checking in to remain compliant. * * @return int|null The deviceComplianceCheckinThresholdDays */ @@ -40,7 +40,7 @@ public function getDeviceComplianceCheckinThresholdDays() /** * Sets the deviceComplianceCheckinThresholdDays - * The number of days a device is allowed to go without checking in to remain compliant. Valid values 0 to 120 + * The number of days a device is allowed to go without checking in to remain compliant. * * @param int $val The value of the deviceComplianceCheckinThresholdDays * diff --git a/src/Model/DirectoryAudit.php b/src/Model/DirectoryAudit.php index 08d7977ad55..c3c45e14938 100644 --- a/src/Model/DirectoryAudit.php +++ b/src/Model/DirectoryAudit.php @@ -59,7 +59,7 @@ public function setActivityDateTime($val) /** * Gets the activityDisplayName - * Indicates the activity name or the operation name (examples: 'Create User' and 'Add member to group'). For full list, see Azure AD activity list. + * Indicates the activity name or the operation name (E.g. 'Create User', 'Add member to group'). For a list of activities logged, refer to Azure Ad activity list. * * @return string|null The activityDisplayName */ @@ -74,7 +74,7 @@ public function getActivityDisplayName() /** * Sets the activityDisplayName - * Indicates the activity name or the operation name (examples: 'Create User' and 'Add member to group'). For full list, see Azure AD activity list. + * Indicates the activity name or the operation name (E.g. 'Create User', 'Add member to group'). For a list of activities logged, refer to Azure Ad activity list. * * @param string $val The activityDisplayName * diff --git a/src/Model/Domain.php b/src/Model/Domain.php index a874064d498..95d253b454c 100644 --- a/src/Model/Domain.php +++ b/src/Model/Domain.php @@ -374,7 +374,7 @@ public function setState($val) /** * Gets the supportedServices - * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline, SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable + * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline,SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable * * @return string|null The supportedServices */ @@ -389,7 +389,7 @@ public function getSupportedServices() /** * Sets the supportedServices - * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline, SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable + * The capabilities assigned to the domain. Can include 0, 1 or more of following values: Email, Sharepoint, EmailInternalRelayOnly, OfficeCommunicationsOnline,SharePointDefaultDomain, FullRedelegation, SharePointPublic, OrgIdAuthentication, Yammer, Intune. The values which you can add/remove using Graph API include: Email, OfficeCommunicationsOnline, Yammer. Not nullable * * @param string $val The supportedServices * diff --git a/src/Model/DriveItem.php b/src/Model/DriveItem.php index a4cbba67353..0ef46994169 100644 --- a/src/Model/DriveItem.php +++ b/src/Model/DriveItem.php @@ -352,7 +352,7 @@ public function setPackage($val) /** * Gets the pendingOperations - * If present, indicates that one or more operations that might affect the state of the driveItem are pending completion. Read-only. + * If present, indicates that indicates that one or more operations that may affect the state of the driveItem are pending completion. Read-only. * * @return PendingOperations|null The pendingOperations */ @@ -371,7 +371,7 @@ public function getPendingOperations() /** * Sets the pendingOperations - * If present, indicates that one or more operations that might affect the state of the driveItem are pending completion. Read-only. + * If present, indicates that indicates that one or more operations that may affect the state of the driveItem are pending completion. Read-only. * * @param PendingOperations $val The pendingOperations * diff --git a/src/Model/DriveItemVersion.php b/src/Model/DriveItemVersion.php index 179a1a74ac9..6c7557b3313 100644 --- a/src/Model/DriveItemVersion.php +++ b/src/Model/DriveItemVersion.php @@ -26,7 +26,6 @@ class DriveItemVersion extends BaseItemVersion { /** * Gets the content - * The content stream for this version of the item. * * @return \GuzzleHttp\Psr7\Stream|null The content */ @@ -45,7 +44,6 @@ public function getContent() /** * Sets the content - * The content stream for this version of the item. * * @param \GuzzleHttp\Psr7\Stream $val The content * diff --git a/src/Model/EditionUpgradeConfiguration.php b/src/Model/EditionUpgradeConfiguration.php index 88510fa0f31..b01f7763b11 100644 --- a/src/Model/EditionUpgradeConfiguration.php +++ b/src/Model/EditionUpgradeConfiguration.php @@ -55,7 +55,7 @@ public function setLicense($val) /** * Gets the licenseType - * Edition Upgrade License Type. Possible values are: productKey, licenseFile. + * Edition Upgrade License Type. Possible values are: productKey, licenseFile, notConfigured. * * @return EditionUpgradeLicenseType|null The licenseType */ @@ -74,7 +74,7 @@ public function getLicenseType() /** * Sets the licenseType - * Edition Upgrade License Type. Possible values are: productKey, licenseFile. + * Edition Upgrade License Type. Possible values are: productKey, licenseFile, notConfigured. * * @param EditionUpgradeLicenseType $val The licenseType * @@ -117,7 +117,7 @@ public function setProductKey($val) /** * Gets the targetEdition - * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN. + * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN, notConfigured, windows10Home, windows10HomeChina, windows10HomeN, windows10HomeSingleLanguage, windows10Mobile, windows10IoTCore, windows10IoTCoreCommercial. * * @return Windows10EditionType|null The targetEdition */ @@ -136,7 +136,7 @@ public function getTargetEdition() /** * Sets the targetEdition - * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN. + * Edition Upgrade Target Edition. Possible values are: windows10Enterprise, windows10EnterpriseN, windows10Education, windows10EducationN, windows10MobileEnterprise, windows10HolographicEnterprise, windows10Professional, windows10ProfessionalN, windows10ProfessionalEducation, windows10ProfessionalEducationN, windows10ProfessionalWorkstation, windows10ProfessionalWorkstationN, notConfigured, windows10Home, windows10HomeChina, windows10HomeN, windows10HomeSingleLanguage, windows10Mobile, windows10IoTCore, windows10IoTCoreCommercial. * * @param Windows10EditionType $val The targetEdition * diff --git a/src/Model/EducationClass.php b/src/Model/EducationClass.php index 25f5c004270..ab6912980af 100644 --- a/src/Model/EducationClass.php +++ b/src/Model/EducationClass.php @@ -237,7 +237,7 @@ public function setExternalName($val) /** * Gets the externalSource - * How this class was created. The possible values are: sis, manual, unknownFutureValue. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -256,7 +256,7 @@ public function getExternalSource() /** * Sets the externalSource - * How this class was created. The possible values are: sis, manual, unknownFutureValue. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -357,7 +357,7 @@ public function setMailNickname($val) /** * Gets the term - * Term for this class. + * Term for the class. * * @return EducationTerm|null The term */ @@ -376,7 +376,7 @@ public function getTerm() /** * Sets the term - * Term for this class. + * Term for the class. * * @param EducationTerm $val The term * @@ -390,7 +390,7 @@ public function setTerm($val) /** * Gets the group - * The directory group corresponding to this class. + * The underlying Microsoft 365 group object. * * @return Group|null The group */ @@ -409,7 +409,7 @@ public function getGroup() /** * Sets the group - * The directory group corresponding to this class. + * The underlying Microsoft 365 group object. * * @param Group $val The group * diff --git a/src/Model/EducationOrganization.php b/src/Model/EducationOrganization.php index f1655f71c0f..52008484e32 100644 --- a/src/Model/EducationOrganization.php +++ b/src/Model/EducationOrganization.php @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the externalSource - * Source where this organization was created from. The possible values are: sis, manual, unknownFutureValue. + * Where this user was created from. Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -103,7 +103,7 @@ public function getExternalSource() /** * Sets the externalSource - * Source where this organization was created from. The possible values are: sis, manual, unknownFutureValue. + * Where this user was created from. Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -117,6 +117,7 @@ public function setExternalSource($val) /** * Gets the externalSourceDetail + * The name of the external source this resources was generated from. * * @return string|null The externalSourceDetail */ @@ -131,6 +132,7 @@ public function getExternalSourceDetail() /** * Sets the externalSourceDetail + * The name of the external source this resources was generated from. * * @param string $val The externalSourceDetail * diff --git a/src/Model/EducationRoot.php b/src/Model/EducationRoot.php index 8992e335d63..b527a0a8a17 100644 --- a/src/Model/EducationRoot.php +++ b/src/Model/EducationRoot.php @@ -22,12 +22,42 @@ * @license https://opensource.org/licenses/MIT MIT License * @link https://graph.microsoft.com */ -class EducationRoot extends Entity +class EducationRoot implements \JsonSerializable { + /** + * The array of properties available + * to the model + * + * @var array(string => string) + */ + protected $_propDict; + + /** + * Construct a new EducationRoot + * + * @param array $propDict A list of properties to set + */ + function __construct($propDict = array()) + { + if (!is_array($propDict)) { + $propDict = array(); + } + $this->_propDict = $propDict; + } + + /** + * Gets the property dictionary of the EducationRoot + * + * @return array The list of properties + */ + public function getProperties() + { + return $this->_propDict; + } + /** * Gets the classes - * Read-only. Nullable. * * @return array|null The classes */ @@ -42,7 +72,6 @@ public function getClasses() /** * Sets the classes - * Read-only. Nullable. * * @param EducationClass $val The classes * @@ -56,7 +85,6 @@ public function setClasses($val) /** * Gets the me - * Read-only. Nullable. * * @return EducationUser|null The me */ @@ -75,7 +103,6 @@ public function getMe() /** * Sets the me - * Read-only. Nullable. * * @param EducationUser $val The me * @@ -90,7 +117,6 @@ public function setMe($val) /** * Gets the schools - * Read-only. Nullable. * * @return array|null The schools */ @@ -105,7 +131,6 @@ public function getSchools() /** * Sets the schools - * Read-only. Nullable. * * @param EducationSchool $val The schools * @@ -120,7 +145,6 @@ public function setSchools($val) /** * Gets the users - * Read-only. Nullable. * * @return array|null The users */ @@ -135,7 +159,6 @@ public function getUsers() /** * Sets the users - * Read-only. Nullable. * * @param EducationUser $val The users * @@ -147,4 +170,45 @@ public function setUsers($val) return $this; } + /** + * Gets the ODataType + * + * @return string The ODataType + */ + public function getODataType() + { + return $this->_propDict["@odata.type"]; + } + + /** + * Sets the ODataType + * + * @param string The ODataType + * + * @return Entity + */ + public function setODataType($val) + { + $this->_propDict["@odata.type"] = $val; + return $this; + } + + /** + * Serializes the object by property array + * Manually serialize DateTime into RFC3339 format + * + * @return array The list of properties + */ + public function jsonSerialize() + { + $serializableProperties = $this->getProperties(); + foreach ($serializableProperties as $property => $val) { + if (is_a($val, "\DateTime")) { + $serializableProperties[$property] = $val->format(\DateTime::RFC3339); + } else if (is_a($val, "\Microsoft\Graph\Core\Enum")) { + $serializableProperties[$property] = $val->value(); + } + } + return $serializableProperties; + } } diff --git a/src/Model/EducationSchool.php b/src/Model/EducationSchool.php index dc3c7664b9b..c3992344461 100644 --- a/src/Model/EducationSchool.php +++ b/src/Model/EducationSchool.php @@ -351,6 +351,7 @@ public function setSchoolNumber($val) /** * Gets the administrativeUnit + * The underlying administrativeUnit for this school. * * @return AdministrativeUnit|null The administrativeUnit */ @@ -369,6 +370,7 @@ public function getAdministrativeUnit() /** * Sets the administrativeUnit + * The underlying administrativeUnit for this school. * * @param AdministrativeUnit $val The administrativeUnit * diff --git a/src/Model/EducationStudent.php b/src/Model/EducationStudent.php index ca85b7b1562..a3f3552a6b9 100644 --- a/src/Model/EducationStudent.php +++ b/src/Model/EducationStudent.php @@ -87,7 +87,7 @@ public function setExternalId($val) /** * Gets the gender - * The possible values are: female, male, other, unknownFutureValue. + * Possible values are: female, male, other. * * @return EducationGender|null The gender */ @@ -106,7 +106,7 @@ public function getGender() /** * Sets the gender - * The possible values are: female, male, other, unknownFutureValue. + * Possible values are: female, male, other. * * @param EducationGender $val The value to assign to the gender * diff --git a/src/Model/EducationTeacher.php b/src/Model/EducationTeacher.php index e49406d1d53..2eaf80e4acf 100644 --- a/src/Model/EducationTeacher.php +++ b/src/Model/EducationTeacher.php @@ -25,7 +25,7 @@ class EducationTeacher extends Entity { /** * Gets the externalId - * ID of the teacher in the source system. + * Id of the Teacher in external source system. * * @return string|null The externalId */ @@ -40,7 +40,7 @@ public function getExternalId() /** * Sets the externalId - * ID of the teacher in the source system. + * Id of the Teacher in external source system. * * @param string $val The value of the externalId * diff --git a/src/Model/EducationUser.php b/src/Model/EducationUser.php index bc711996793..915e647bded 100644 --- a/src/Model/EducationUser.php +++ b/src/Model/EducationUser.php @@ -26,7 +26,7 @@ class EducationUser extends Entity { /** * Gets the accountEnabled - * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports /$filter. * * @return bool|null The accountEnabled */ @@ -41,7 +41,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * True if the account is enabled; otherwise, false. This property is required when a user is created. Supports /$filter. * * @param bool $val The accountEnabled * @@ -177,7 +177,7 @@ public function setCreatedBy($val) /** * Gets the department - * The name for the department in which the user works. Supports $filter. + * The name for the department in which the user works. Supports /$filter. * * @return string|null The department */ @@ -192,7 +192,7 @@ public function getDepartment() /** * Sets the department - * The name for the department in which the user works. Supports $filter. + * The name for the department in which the user works. Supports /$filter. * * @param string $val The department * @@ -206,7 +206,7 @@ public function setDepartment($val) /** * Gets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Supports $filter and $orderby. + * The name displayed in the address book for the user. Supports $filter and $orderby. * * @return string|null The displayName */ @@ -221,7 +221,7 @@ public function getDisplayName() /** * Sets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Supports $filter and $orderby. + * The name displayed in the address book for the user. Supports $filter and $orderby. * * @param string $val The displayName * @@ -235,7 +235,7 @@ public function setDisplayName($val) /** * Gets the externalSource - * Where this user was created from. The possible values are: sis, manual. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @return EducationExternalSource|null The externalSource */ @@ -254,7 +254,7 @@ public function getExternalSource() /** * Sets the externalSource - * Where this user was created from. The possible values are: sis, manual. + * The type of external source this resource was generated from (automatically determined from externalSourceDetail). Possible values are: sis, lms, or manual. * * @param EducationExternalSource $val The externalSource * @@ -297,7 +297,7 @@ public function setExternalSourceDetail($val) /** * Gets the givenName - * The given name (first name) of the user. Supports $filter. + * The given name (first name) of the user. Supports /$filter. * * @return string|null The givenName */ @@ -312,7 +312,7 @@ public function getGivenName() /** * Sets the givenName - * The given name (first name) of the user. Supports $filter. + * The given name (first name) of the user. Supports /$filter. * * @param string $val The givenName * @@ -326,7 +326,7 @@ public function setGivenName($val) /** * Gets the mail - * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports $filter. + * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports /$filter. * * @return string|null The mail */ @@ -341,7 +341,7 @@ public function getMail() /** * Sets the mail - * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports $filter. + * The SMTP address for the user; for example, 'jeff@contoso.onmicrosoft.com'. Read-Only. Supports /$filter. * * @param string $val The mail * @@ -355,7 +355,7 @@ public function setMail($val) /** * Gets the mailingAddress - * Mail address of user. + * Mail address of user. Note: type and postOfficeBox are not supported for educationUser resources. * * @return PhysicalAddress|null The mailingAddress */ @@ -374,7 +374,7 @@ public function getMailingAddress() /** * Sets the mailingAddress - * Mail address of user. + * Mail address of user. Note: type and postOfficeBox are not supported for educationUser resources. * * @param PhysicalAddress $val The mailingAddress * @@ -388,7 +388,7 @@ public function setMailingAddress($val) /** * Gets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Supports /$filter. * * @return string|null The mailNickname */ @@ -403,7 +403,7 @@ public function getMailNickname() /** * Sets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Supports /$filter. * * @param string $val The mailNickname * @@ -535,7 +535,7 @@ public function setOnPremisesInfo($val) /** * Gets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two can be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. See standard [user] resource for additional details. * * @return string|null The passwordPolicies */ @@ -550,7 +550,7 @@ public function getPasswordPolicies() /** * Sets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two can be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. See standard [user] resource for additional details. * * @param string $val The passwordPolicies * @@ -564,7 +564,7 @@ public function setPasswordPolicies($val) /** * Gets the passwordProfile - * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. See standard [user] resource for additional details. * * @return PasswordProfile|null The passwordProfile */ @@ -583,7 +583,7 @@ public function getPasswordProfile() /** * Sets the passwordProfile - * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. See standard [user] resource for additional details. * * @param PasswordProfile $val The passwordProfile * @@ -626,7 +626,7 @@ public function setPreferredLanguage($val) /** * Gets the primaryRole - * Default role for a user. The user's role might be different in an individual class. The possible values are: student, teacher. Supports $filter. + * Default role for a user. The user's role might be different in an individual class. Possible values are: student, teacher, faculty. Supports /$filter. * * @return EducationUserRole|null The primaryRole */ @@ -645,7 +645,7 @@ public function getPrimaryRole() /** * Sets the primaryRole - * Default role for a user. The user's role might be different in an individual class. The possible values are: student, teacher. Supports $filter. + * Default role for a user. The user's role might be different in an individual class. Possible values are: student, teacher, faculty. Supports /$filter. * * @param EducationUserRole $val The primaryRole * @@ -720,7 +720,7 @@ public function setRefreshTokensValidFromDateTime($val) /** * Gets the residenceAddress - * Address where user lives. + * Address where user lives. Note: type and postOfficeBox are not supported for educationUser resources. * * @return PhysicalAddress|null The residenceAddress */ @@ -739,7 +739,7 @@ public function getResidenceAddress() /** * Sets the residenceAddress - * Address where user lives. + * Address where user lives. Note: type and postOfficeBox are not supported for educationUser resources. * * @param PhysicalAddress $val The residenceAddress * @@ -753,6 +753,7 @@ public function setResidenceAddress($val) /** * Gets the showInAddressList + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. * * @return bool|null The showInAddressList */ @@ -767,6 +768,7 @@ public function getShowInAddressList() /** * Sets the showInAddressList + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. * * @param bool $val The showInAddressList * @@ -813,7 +815,7 @@ public function setStudent($val) /** * Gets the surname - * The user's surname (family name or last name). Supports $filter. + * The user's surname (family name or last name). Supports /$filter. * * @return string|null The surname */ @@ -828,7 +830,7 @@ public function getSurname() /** * Sets the surname - * The user's surname (family name or last name). Supports $filter. + * The user's surname (family name or last name). Supports /$filter. * * @param string $val The surname * @@ -875,7 +877,7 @@ public function setTeacher($val) /** * Gets the usageLocation - * A two-letter country code (ISO standard 3166). Required for users who will be assigned licenses due to a legal requirement to check for availability of services in countries or regions. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two-letter country code ([ISO 3166 Alpha-2]). Required for users who will be assigned licenses. Not nullable. Supports /$filter. * * @return string|null The usageLocation */ @@ -890,7 +892,7 @@ public function getUsageLocation() /** * Sets the usageLocation - * A two-letter country code (ISO standard 3166). Required for users who will be assigned licenses due to a legal requirement to check for availability of services in countries or regions. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two-letter country code ([ISO 3166 Alpha-2]). Required for users who will be assigned licenses. Not nullable. Supports /$filter. * * @param string $val The usageLocation * @@ -904,7 +906,7 @@ public function setUsageLocation($val) /** * Gets the userPrincipalName - * The user principal name (UPN) of the user. The UPN is an Internet-style login name for the user based on the Internet standard RFC 822. By convention, this should map to the user's email name. The general format is alias@domain, where domain must be present in the tenant's collection of verified domains. This property is required when a user is created. The verified domains for the tenant can be accessed from the verifiedDomains property of organization. Supports $filter and $orderby. + * The user principal name (UPN) for the user. Supports $filter and $orderby. See standard [user] resource for additional details. * * @return string|null The userPrincipalName */ @@ -919,7 +921,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * The user principal name (UPN) of the user. The UPN is an Internet-style login name for the user based on the Internet standard RFC 822. By convention, this should map to the user's email name. The general format is alias@domain, where domain must be present in the tenant's collection of verified domains. This property is required when a user is created. The verified domains for the tenant can be accessed from the verifiedDomains property of organization. Supports $filter and $orderby. + * The user principal name (UPN) for the user. Supports $filter and $orderby. See standard [user] resource for additional details. * * @param string $val The userPrincipalName * @@ -933,7 +935,7 @@ public function setUserPrincipalName($val) /** * Gets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports /$filter. * * @return string|null The userType */ @@ -948,7 +950,7 @@ public function getUserType() /** * Sets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports /$filter. * * @param string $val The userType * diff --git a/src/Model/EmailAddress.php b/src/Model/EmailAddress.php index 5e03bd9719e..59adfb8e8e5 100644 --- a/src/Model/EmailAddress.php +++ b/src/Model/EmailAddress.php @@ -25,7 +25,7 @@ class EmailAddress extends Entity { /** * Gets the address - * The email address of the person or entity. + * The email address of an entity instance. * * @return string|null The address */ @@ -40,7 +40,7 @@ public function getAddress() /** * Sets the address - * The email address of the person or entity. + * The email address of an entity instance. * * @param string $val The value of the address * @@ -53,7 +53,7 @@ public function setAddress($val) } /** * Gets the name - * The display name of the person or entity. + * The display name of an entity instance. * * @return string|null The name */ @@ -68,7 +68,7 @@ public function getName() /** * Sets the name - * The display name of the person or entity. + * The display name of an entity instance. * * @param string $val The value of the name * diff --git a/src/Model/EmailAuthenticationMethodConfiguration.php b/src/Model/EmailAuthenticationMethodConfiguration.php index 6c75366eeb2..1d26316dd43 100644 --- a/src/Model/EmailAuthenticationMethodConfiguration.php +++ b/src/Model/EmailAuthenticationMethodConfiguration.php @@ -26,7 +26,7 @@ class EmailAuthenticationMethodConfiguration extends AuthenticationMethodConfigu { /** * Gets the allowExternalIdToUseEmailOtp - * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in March 2021. + * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in October 2021. * * @return ExternalEmailOtpState|null The allowExternalIdToUseEmailOtp */ @@ -45,7 +45,7 @@ public function getAllowExternalIdToUseEmailOtp() /** * Sets the allowExternalIdToUseEmailOtp - * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in March 2021. + * Determines whether email OTP is usable by external users for authentication. Possible values are: default, enabled, disabled, unknownFutureValue. Tenants in the default state who did not use public preview will automatically have email OTP enabled beginning in October 2021. * * @param ExternalEmailOtpState $val The allowExternalIdToUseEmailOtp * diff --git a/src/Model/EnrollmentConfigurationAssignment.php b/src/Model/EnrollmentConfigurationAssignment.php index 301b43a251f..f759fe0a163 100644 --- a/src/Model/EnrollmentConfigurationAssignment.php +++ b/src/Model/EnrollmentConfigurationAssignment.php @@ -26,7 +26,7 @@ class EnrollmentConfigurationAssignment extends Entity { /** * Gets the target - * Not yet documented + * Represents an assignment to managed devices in the tenant * * @return DeviceAndAppManagementAssignmentTarget|null The target */ @@ -45,7 +45,7 @@ public function getTarget() /** * Sets the target - * Not yet documented + * Represents an assignment to managed devices in the tenant * * @param DeviceAndAppManagementAssignmentTarget $val The target * diff --git a/src/Model/EnrollmentTroubleshootingEvent.php b/src/Model/EnrollmentTroubleshootingEvent.php index 5981bb4ac80..ac556fd0ea6 100644 --- a/src/Model/EnrollmentTroubleshootingEvent.php +++ b/src/Model/EnrollmentTroubleshootingEvent.php @@ -55,7 +55,7 @@ public function setDeviceId($val) /** * Gets the enrollmentType - * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @return DeviceEnrollmentType|null The enrollmentType */ @@ -74,7 +74,7 @@ public function getEnrollmentType() /** * Sets the enrollmentType - * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Type of the enrollment. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @param DeviceEnrollmentType $val The enrollmentType * diff --git a/src/Model/Event.php b/src/Model/Event.php index 097c37e7415..4182f103863 100644 --- a/src/Model/Event.php +++ b/src/Model/Event.php @@ -1129,7 +1129,7 @@ public function setWebLink($val) /** * Gets the attachments - * The collection of fileAttachment and itemAttachment attachments for the event. Navigation property. Read-only. Nullable. + * The collection of FileAttachment, ItemAttachment, and referenceAttachment attachments for the event. Navigation property. Read-only. Nullable. * * @return array|null The attachments */ @@ -1144,7 +1144,7 @@ public function getAttachments() /** * Sets the attachments - * The collection of fileAttachment and itemAttachment attachments for the event. Navigation property. Read-only. Nullable. + * The collection of FileAttachment, ItemAttachment, and referenceAttachment attachments for the event. Navigation property. Read-only. Nullable. * * @param Attachment $val The attachments * @@ -1192,7 +1192,7 @@ public function setCalendar($val) /** * Gets the extensions - * The collection of open extensions defined for the event. Read-only. Nullable. + * The collection of open extensions defined for the event. Nullable. * * @return array|null The extensions */ @@ -1207,7 +1207,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the event. Read-only. Nullable. + * The collection of open extensions defined for the event. Nullable. * * @param Extension $val The extensions * @@ -1222,7 +1222,7 @@ public function setExtensions($val) /** * Gets the instances - * The instances of the event. Navigation property. Read-only. Nullable. + * The occurrences of a recurring series, if the event is a series master. This property includes occurrences that are part of the recurrence pattern, and exceptions that have been modified, but does not include occurrences that have been cancelled from the series. Navigation property. Read-only. Nullable. * * @return array|null The instances */ @@ -1237,7 +1237,7 @@ public function getInstances() /** * Sets the instances - * The instances of the event. Navigation property. Read-only. Nullable. + * The occurrences of a recurring series, if the event is a series master. This property includes occurrences that are part of the recurrence pattern, and exceptions that have been modified, but does not include occurrences that have been cancelled from the series. Navigation property. Read-only. Nullable. * * @param Event $val The instances * diff --git a/src/Model/ExtensionSchemaProperty.php b/src/Model/ExtensionSchemaProperty.php index f6ee57464f2..b96c0aac79c 100644 --- a/src/Model/ExtensionSchemaProperty.php +++ b/src/Model/ExtensionSchemaProperty.php @@ -25,7 +25,7 @@ class ExtensionSchemaProperty extends Entity { /** * Gets the name - * The name of the strongly-typed property defined as part of a schema extension. + * The name of the strongly typed property defined as part of a schema extension. * * @return string|null The name */ @@ -40,7 +40,7 @@ public function getName() /** * Sets the name - * The name of the strongly-typed property defined as part of a schema extension. + * The name of the strongly typed property defined as part of a schema extension. * * @param string $val The value of the name * diff --git a/src/Model/Fido2AuthenticationMethod.php b/src/Model/Fido2AuthenticationMethod.php index 8938ceca68d..e2ec841a055 100644 --- a/src/Model/Fido2AuthenticationMethod.php +++ b/src/Model/Fido2AuthenticationMethod.php @@ -84,7 +84,7 @@ public function setAttestationCertificates($val) /** * Gets the attestationLevel - * The attestation level of this FIDO2 security key. Possible values are: attested, or notAttested. + * The attestation level of this FIDO2 security key. Possible values are: attested, notAttested, unknownFutureValue. * * @return AttestationLevel|null The attestationLevel */ @@ -103,7 +103,7 @@ public function getAttestationLevel() /** * Sets the attestationLevel - * The attestation level of this FIDO2 security key. Possible values are: attested, or notAttested. + * The attestation level of this FIDO2 security key. Possible values are: attested, notAttested, unknownFutureValue. * * @param AttestationLevel $val The attestationLevel * diff --git a/src/Model/FileEncryptionInfo.php b/src/Model/FileEncryptionInfo.php index b0aba329f2e..5e6302e300d 100644 --- a/src/Model/FileEncryptionInfo.php +++ b/src/Model/FileEncryptionInfo.php @@ -218,7 +218,7 @@ public function setMacKey($val) } /** * Gets the profileIdentifier - * The profile identifier. + * The the profile identifier. * * @return string|null The profileIdentifier */ @@ -233,7 +233,7 @@ public function getProfileIdentifier() /** * Sets the profileIdentifier - * The profile identifier. + * The the profile identifier. * * @param string $val The value of the profileIdentifier * diff --git a/src/Model/GeoCoordinates.php b/src/Model/GeoCoordinates.php index fc2398049e7..98c6a919833 100644 --- a/src/Model/GeoCoordinates.php +++ b/src/Model/GeoCoordinates.php @@ -53,7 +53,7 @@ public function setAltitude($val) } /** * Gets the latitude - * Optional. The latitude, in decimal, for the item. Read-only. + * Optional. The latitude, in decimal, for the item. Writable on OneDrive Personal. * * @return float|null The latitude */ @@ -68,7 +68,7 @@ public function getLatitude() /** * Sets the latitude - * Optional. The latitude, in decimal, for the item. Read-only. + * Optional. The latitude, in decimal, for the item. Writable on OneDrive Personal. * * @param float $val The value of the latitude * @@ -81,7 +81,7 @@ public function setLatitude($val) } /** * Gets the longitude - * Optional. The longitude, in decimal, for the item. Read-only. + * Optional. The longitude, in decimal, for the item. Writable on OneDrive Personal. * * @return float|null The longitude */ @@ -96,7 +96,7 @@ public function getLongitude() /** * Sets the longitude - * Optional. The longitude, in decimal, for the item. Read-only. + * Optional. The longitude, in decimal, for the item. Writable on OneDrive Personal. * * @param float $val The value of the longitude * diff --git a/src/Model/Group.php b/src/Model/Group.php index ff1442fa2a0..8227f01ee32 100644 --- a/src/Model/Group.php +++ b/src/Model/Group.php @@ -27,7 +27,7 @@ class Group extends DirectoryObject /** * Gets the assignedLabels - * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. Read-only. + * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. * * @return array|null The assignedLabels */ @@ -42,7 +42,7 @@ public function getAssignedLabels() /** * Sets the assignedLabels - * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. Read-only. + * The list of sensitivity label pairs (label ID, label name) associated with a Microsoft 365 group. Returned only on $select. * * @param AssignedLabel $val The assignedLabels * @@ -268,7 +268,7 @@ public function setGroupTypes($val) /** * Gets the hasMembersWithLicenseErrors - * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). See an example. + * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). * * @return bool|null The hasMembersWithLicenseErrors */ @@ -283,7 +283,7 @@ public function getHasMembersWithLicenseErrors() /** * Sets the hasMembersWithLicenseErrors - * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). See an example. + * Indicates whether there are members in this group that have license errors from its group-based license assignment. This property is never returned on a GET operation. You can use it as a $filter argument to get groups that have members with license errors (that is, filter for this property being true). * * @param bool $val The hasMembersWithLicenseErrors * @@ -297,7 +297,7 @@ public function setHasMembersWithLicenseErrors($val) /** * Gets the licenseProcessingState - * Indicates status of the group license assignment to all members of the group. Default value is false. Read-only. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete.Returned only on $select. Read-only. + * Indicates status of the group license assignment to all members of the group. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete. Returned only on $select. Read-only. * * @return LicenseProcessingState|null The licenseProcessingState */ @@ -316,7 +316,7 @@ public function getLicenseProcessingState() /** * Sets the licenseProcessingState - * Indicates status of the group license assignment to all members of the group. Default value is false. Read-only. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete.Returned only on $select. Read-only. + * Indicates status of the group license assignment to all members of the group. Possible values: QueuedForProcessing, ProcessingInProgress, and ProcessingComplete. Returned only on $select. Read-only. * * @param LicenseProcessingState $val The licenseProcessingState * @@ -741,7 +741,7 @@ public function setPreferredLanguage($val) /** * Gets the proxyAddresses - * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required to filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. + * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required for filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. * * @return string|null The proxyAddresses */ @@ -756,7 +756,7 @@ public function getProxyAddresses() /** * Sets the proxyAddresses - * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required to filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. + * Email addresses for the group that direct to the same group mailbox. For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com']. The any operator is required for filter expressions on multi-valued properties. Returned by default. Read-only. Not nullable. Supports $filter. * * @param string $val The proxyAddresses * @@ -977,7 +977,7 @@ public function setAutoSubscribeNewMembers($val) /** * Gets the hideFromAddressLists - * True if the group is not displayed in certain parts of the Outlook UI: the Address Book, address lists for selecting message recipients, and the Browse Groups dialog for searching groups; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in certain parts of the Outlook user interface: in the Address Book, in address lists for selecting message recipients, and in the Browse Groups dialog for searching groups; false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return bool|null The hideFromAddressLists */ @@ -992,7 +992,7 @@ public function getHideFromAddressLists() /** * Sets the hideFromAddressLists - * True if the group is not displayed in certain parts of the Outlook UI: the Address Book, address lists for selecting message recipients, and the Browse Groups dialog for searching groups; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in certain parts of the Outlook user interface: in the Address Book, in address lists for selecting message recipients, and in the Browse Groups dialog for searching groups; false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param bool $val The hideFromAddressLists * @@ -1006,7 +1006,7 @@ public function setHideFromAddressLists($val) /** * Gets the hideFromOutlookClients - * True if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web, false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return bool|null The hideFromOutlookClients */ @@ -1021,7 +1021,7 @@ public function getHideFromOutlookClients() /** * Sets the hideFromOutlookClients - * True if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web; otherwise, false. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * true if the group is not displayed in Outlook clients, such as Outlook for Windows and Outlook on the web, false otherwise. Default value is false. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param bool $val The hideFromOutlookClients * @@ -1064,7 +1064,7 @@ public function setIsSubscribedByMail($val) /** * Gets the unseenCount - * Count of conversations that have received new posts since the signed-in user last visited the group. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * Count of conversations that have received new posts since the signed-in user last visited the group. This property is the same as unseenConversationsCount.Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @return int|null The unseenCount */ @@ -1079,7 +1079,7 @@ public function getUnseenCount() /** * Sets the unseenCount - * Count of conversations that have received new posts since the signed-in user last visited the group. Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). + * Count of conversations that have received new posts since the signed-in user last visited the group. This property is the same as unseenConversationsCount.Returned only on $select. Supported only on the Get group API (GET /groups/{ID}). * * @param int $val The unseenCount * @@ -1150,7 +1150,7 @@ public function setAppRoleAssignments($val) /** * Gets the createdOnBehalfOf - * The user (or application) that created the group. NOTE: This is not set if the user is an administrator. Read-only. + * The user (or application) that created the group. Note: This is not set if the user is an administrator. Read-only. * * @return DirectoryObject|null The createdOnBehalfOf */ @@ -1169,7 +1169,7 @@ public function getCreatedOnBehalfOf() /** * Sets the createdOnBehalfOf - * The user (or application) that created the group. NOTE: This is not set if the user is an administrator. Read-only. + * The user (or application) that created the group. Note: This is not set if the user is an administrator. Read-only. * * @param DirectoryObject $val The createdOnBehalfOf * @@ -1184,7 +1184,7 @@ public function setCreatedOnBehalfOf($val) /** * Gets the memberOf - * Groups that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. + * Groups and administrative units that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. * * @return array|null The memberOf */ @@ -1199,7 +1199,7 @@ public function getMemberOf() /** * Sets the memberOf - * Groups that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. + * Groups and administrative units that this group is a member of. HTTP Methods: GET (supported for all groups). Read-only. Nullable. * * @param DirectoryObject $val The memberOf * @@ -1214,7 +1214,7 @@ public function setMemberOf($val) /** * Gets the members - * Users and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * Users, contacts, and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @return array|null The members */ @@ -1229,7 +1229,7 @@ public function getMembers() /** * Sets the members - * Users and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * Users, contacts, and groups that are members of this group. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @param DirectoryObject $val The members * @@ -1274,7 +1274,7 @@ public function setMembersWithLicenseErrors($val) /** * Gets the owners - * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. Limited to 100 owners. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @return array|null The owners */ @@ -1289,7 +1289,7 @@ public function getOwners() /** * Sets the owners - * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. Limited to 100 owners. HTTP Methods: GET (supported for all groups), POST (supported for Microsoft 365 groups, security groups and mail-enabled security groups), DELETE (supported for Microsoft 365 groups and security groups). Nullable. + * The owners of the group. The owners are a set of non-admin users who are allowed to modify this object. HTTP Methods: GET (supported for all groups), POST (supported for security groups and mail-enabled security groups), DELETE (supported only for security groups) Read-only. Nullable. * * @param DirectoryObject $val The owners * @@ -1334,7 +1334,7 @@ public function setPermissionGrants($val) /** * Gets the settings - * Read-only. Nullable. + * Settings that can govern this group's behavior, like whether members can invite guest users to the group. Nullable. * * @return array|null The settings */ @@ -1349,7 +1349,7 @@ public function getSettings() /** * Sets the settings - * Read-only. Nullable. + * Settings that can govern this group's behavior, like whether members can invite guest users to the group. Nullable. * * @param GroupSetting $val The settings * @@ -1543,7 +1543,7 @@ public function setConversations($val) /** * Gets the events - * The group's calendar events. + * The group's events. * * @return array|null The events */ @@ -1558,7 +1558,7 @@ public function getEvents() /** * Sets the events - * The group's calendar events. + * The group's events. * * @param Event $val The events * @@ -1572,7 +1572,7 @@ public function setEvents($val) /** * Gets the photo - * The group's profile photo + * The group's profile photo. * * @return ProfilePhoto|null The photo */ @@ -1591,7 +1591,7 @@ public function getPhoto() /** * Sets the photo - * The group's profile photo + * The group's profile photo. * * @param ProfilePhoto $val The photo * @@ -1848,7 +1848,7 @@ public function setGroupLifecyclePolicies($val) /** * Gets the planner - * Entry-point to Planner resource that might exist for a Unified Group. + * Selective Planner services available to the group. Read-only. Nullable. * * @return PlannerGroup|null The planner */ @@ -1867,7 +1867,7 @@ public function getPlanner() /** * Sets the planner - * Entry-point to Planner resource that might exist for a Unified Group. + * Selective Planner services available to the group. Read-only. Nullable. * * @param PlannerGroup $val The planner * diff --git a/src/Model/Hashes.php b/src/Model/Hashes.php index 74ee78bc8e4..75ae3b62059 100644 --- a/src/Model/Hashes.php +++ b/src/Model/Hashes.php @@ -25,7 +25,7 @@ class Hashes extends Entity { /** * Gets the crc32Hash - * The CRC32 value of the file in little endian (if available). Read-only. + * The CRC32 value of the file (if available). Read-only. * * @return string|null The crc32Hash */ @@ -40,7 +40,7 @@ public function getCrc32Hash() /** * Sets the crc32Hash - * The CRC32 value of the file in little endian (if available). Read-only. + * The CRC32 value of the file (if available). Read-only. * * @param string $val The value of the crc32Hash * diff --git a/src/Model/IPv6Range.php b/src/Model/IPv6Range.php index f7e920288ad..0689d569903 100644 --- a/src/Model/IPv6Range.php +++ b/src/Model/IPv6Range.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the lowerAddress - * Lower address + * Lower address. * * @return string|null The lowerAddress */ @@ -49,7 +49,7 @@ public function getLowerAddress() /** * Sets the lowerAddress - * Lower address + * Lower address. * * @param string $val The value of the lowerAddress * @@ -62,7 +62,7 @@ public function setLowerAddress($val) } /** * Gets the upperAddress - * Upper address + * Upper address. * * @return string|null The upperAddress */ @@ -77,7 +77,7 @@ public function getUpperAddress() /** * Sets the upperAddress - * Upper address + * Upper address. * * @param string $val The value of the upperAddress * diff --git a/src/Model/IdentityProvider.php b/src/Model/IdentityProvider.php index 7472f07bfe0..86d5817a586 100644 --- a/src/Model/IdentityProvider.php +++ b/src/Model/IdentityProvider.php @@ -26,7 +26,7 @@ class IdentityProvider extends Entity { /** * Gets the clientId - * The client ID for the application. This is the client ID obtained when registering the application with the identity provider. Required. Not nullable. + * The client ID for the application obtained when registering the application with the identity provider. This is a required field. Required. Not nullable. * * @return string|null The clientId */ @@ -41,7 +41,7 @@ public function getClientId() /** * Sets the clientId - * The client ID for the application. This is the client ID obtained when registering the application with the identity provider. Required. Not nullable. + * The client ID for the application obtained when registering the application with the identity provider. This is a required field. Required. Not nullable. * * @param string $val The clientId * @@ -55,7 +55,7 @@ public function setClientId($val) /** * Gets the clientSecret - * The client secret for the application. This is the client secret obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. Required. Not nullable. + * The client secret for the application obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. This is a required field. Required. Not nullable. * * @return string|null The clientSecret */ @@ -70,7 +70,7 @@ public function getClientSecret() /** * Sets the clientSecret - * The client secret for the application. This is the client secret obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. Required. Not nullable. + * The client secret for the application obtained when registering the application with the identity provider. This is write-only. A read operation will return ****. This is a required field. Required. Not nullable. * * @param string $val The clientSecret * @@ -113,7 +113,7 @@ public function setName($val) /** * Gets the type - * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo, QQ, WeChat, OpenIDConnect. Not nullable. + * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo,QQ, WeChat, OpenIDConnect. Not nullable. * * @return string|null The type */ @@ -128,7 +128,7 @@ public function getType() /** * Sets the type - * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo, QQ, WeChat, OpenIDConnect. Not nullable. + * The identity provider type is a required field. For B2B scenario: Google, Facebook. For B2C scenario: Microsoft, Google, Amazon, LinkedIn, Facebook, GitHub, Twitter, Weibo,QQ, WeChat, OpenIDConnect. Not nullable. * * @param string $val The type * diff --git a/src/Model/IncomingContext.php b/src/Model/IncomingContext.php index 6d0a3c0d6c0..f9243e802b4 100644 --- a/src/Model/IncomingContext.php +++ b/src/Model/IncomingContext.php @@ -25,7 +25,7 @@ class IncomingContext extends Entity { /** * Gets the observedParticipantId - * The ID of the participant that is under observation. Read-only. + * The id of the participant that is under observation. Read-only. * * @return string|null The observedParticipantId */ @@ -40,7 +40,7 @@ public function getObservedParticipantId() /** * Sets the observedParticipantId - * The ID of the participant that is under observation. Read-only. + * The id of the participant that is under observation. Read-only. * * @param string $val The value of the observedParticipantId * @@ -86,7 +86,7 @@ public function setOnBehalfOf($val) } /** * Gets the sourceParticipantId - * The ID of the participant that triggered the incoming call. Read-only. + * The id of the participant that triggered the incoming call. Read-only. * * @return string|null The sourceParticipantId */ @@ -101,7 +101,7 @@ public function getSourceParticipantId() /** * Sets the sourceParticipantId - * The ID of the participant that triggered the incoming call. Read-only. + * The id of the participant that triggered the incoming call. Read-only. * * @param string $val The value of the sourceParticipantId * diff --git a/src/Model/InferenceClassificationOverride.php b/src/Model/InferenceClassificationOverride.php index 3997b2a5039..8affac1e897 100644 --- a/src/Model/InferenceClassificationOverride.php +++ b/src/Model/InferenceClassificationOverride.php @@ -26,7 +26,7 @@ class InferenceClassificationOverride extends Entity { /** * Gets the classifyAs - * Specifies how incoming messages from a specific sender should always be classified as. The possible values are: focused, other. + * Specifies how incoming messages from a specific sender should always be classified as. Possible values are: focused, other. * * @return InferenceClassificationType|null The classifyAs */ @@ -45,7 +45,7 @@ public function getClassifyAs() /** * Sets the classifyAs - * Specifies how incoming messages from a specific sender should always be classified as. The possible values are: focused, other. + * Specifies how incoming messages from a specific sender should always be classified as. Possible values are: focused, other. * * @param InferenceClassificationType $val The classifyAs * diff --git a/src/Model/Initiator.php b/src/Model/Initiator.php index c5213f1ed23..eb48b874e52 100644 --- a/src/Model/Initiator.php +++ b/src/Model/Initiator.php @@ -26,7 +26,7 @@ class Initiator extends Identity /** * Gets the initiatorType - * Type of initiator. Possible values are: user, app, system, unknownFutureValue. + * Type of initiator. Possible values are: user, application, system, unknownFutureValue. * * @return InitiatorType|null The initiatorType */ @@ -45,7 +45,7 @@ public function getInitiatorType() /** * Sets the initiatorType - * Type of initiator. Possible values are: user, app, system, unknownFutureValue. + * Type of initiator. Possible values are: user, application, system, unknownFutureValue. * * @param InitiatorType $val The value to assign to the initiatorType * diff --git a/src/Model/Invitation.php b/src/Model/Invitation.php index 57da2a3bb7a..48d6d130839 100644 --- a/src/Model/Invitation.php +++ b/src/Model/Invitation.php @@ -55,7 +55,7 @@ public function setInvitedUserDisplayName($val) /** * Gets the invitedUserEmailAddress - * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (/|)Semicolon (;)Colon (:)Quotation marks (')Angle brackets (&lt; &gt;)Question mark (?)Comma (,)However, the following exceptions apply:A period (.) or a hyphen (-) is permitted anywhere in the user name, except at the beginning or end of the name.An underscore (_) is permitted anywhere in the user name. This includes at the beginning or end of the name. + * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)At sign (@)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Hyphen (-)Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (` * * @return string|null The invitedUserEmailAddress */ @@ -70,7 +70,7 @@ public function getInvitedUserEmailAddress() /** * Sets the invitedUserEmailAddress - * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (/|)Semicolon (;)Colon (:)Quotation marks (')Angle brackets (&lt; &gt;)Question mark (?)Comma (,)However, the following exceptions apply:A period (.) or a hyphen (-) is permitted anywhere in the user name, except at the beginning or end of the name.An underscore (_) is permitted anywhere in the user name. This includes at the beginning or end of the name. + * The email address of the user being invited. Required. The following special characters are not permitted in the email address:Tilde (~)Exclamation point (!)At sign (@)Number sign (#)Dollar sign ($)Percent (%)Circumflex (^)Ampersand (&)Asterisk (*)Parentheses (( ))Hyphen (-)Plus sign (+)Equal sign (=)Brackets ([ ])Braces ({ })Backslash (/)Slash mark (/)Pipe (` * * @param string $val The invitedUserEmailAddress * @@ -117,7 +117,7 @@ public function setInvitedUserMessageInfo($val) /** * Gets the invitedUserType - * The userType of the user being invited. By default, this is Guest. You can invite as Member if you are a company administrator. + * The userType of the user being invited. By default, this is Guest. You can invite as Member if you're are company administrator. * * @return string|null The invitedUserType */ @@ -132,7 +132,7 @@ public function getInvitedUserType() /** * Sets the invitedUserType - * The userType of the user being invited. By default, this is Guest. You can invite as Member if you are a company administrator. + * The userType of the user being invited. By default, this is Guest. You can invite as Member if you're are company administrator. * * @param string $val The invitedUserType * @@ -146,7 +146,7 @@ public function setInvitedUserType($val) /** * Gets the inviteRedeemUrl - * The URL the user can use to redeem their invitation. Read-only + * The URL the user can use to redeem their invitation. Read-only. * * @return string|null The inviteRedeemUrl */ @@ -161,7 +161,7 @@ public function getInviteRedeemUrl() /** * Sets the inviteRedeemUrl - * The URL the user can use to redeem their invitation. Read-only + * The URL the user can use to redeem their invitation. Read-only. * * @param string $val The inviteRedeemUrl * @@ -175,7 +175,7 @@ public function setInviteRedeemUrl($val) /** * Gets the inviteRedirectUrl - * The URL the user should be redirected to once the invitation is redeemed. Required. + * The URL user should be redirected to once the invitation is redeemed. Required. * * @return string|null The inviteRedirectUrl */ @@ -190,7 +190,7 @@ public function getInviteRedirectUrl() /** * Sets the inviteRedirectUrl - * The URL the user should be redirected to once the invitation is redeemed. Required. + * The URL user should be redirected to once the invitation is redeemed. Required. * * @param string $val The inviteRedirectUrl * @@ -233,7 +233,7 @@ public function setSendInvitationMessage($val) /** * Gets the status - * The status of the invitation. Possible values are: PendingAcceptance, Completed, InProgress, and Error + * The status of the invitation. Possible values: PendingAcceptance, Completed, InProgress, and Error * * @return string|null The status */ @@ -248,7 +248,7 @@ public function getStatus() /** * Sets the status - * The status of the invitation. Possible values are: PendingAcceptance, Completed, InProgress, and Error + * The status of the invitation. Possible values: PendingAcceptance, Completed, InProgress, and Error * * @param string $val The status * diff --git a/src/Model/InvitationParticipantInfo.php b/src/Model/InvitationParticipantInfo.php index f03e7caf6b2..2ff73b6c50f 100644 --- a/src/Model/InvitationParticipantInfo.php +++ b/src/Model/InvitationParticipantInfo.php @@ -58,7 +58,7 @@ public function setIdentity($val) } /** * Gets the replacesCallId - * Optional. The call which the target identity is currently a part of. This call will be dropped once the participant is added. + * Optional. The call which the target idenity is currently a part of. This call will be dropped once the participant is added. * * @return string|null The replacesCallId */ @@ -73,7 +73,7 @@ public function getReplacesCallId() /** * Sets the replacesCallId - * Optional. The call which the target identity is currently a part of. This call will be dropped once the participant is added. + * Optional. The call which the target idenity is currently a part of. This call will be dropped once the participant is added. * * @param string $val The value of the replacesCallId * diff --git a/src/Model/IosCustomConfiguration.php b/src/Model/IosCustomConfiguration.php index ed37017ace2..3e24bd6897b 100644 --- a/src/Model/IosCustomConfiguration.php +++ b/src/Model/IosCustomConfiguration.php @@ -59,7 +59,7 @@ public function setPayload($val) /** * Gets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @return string|null The payloadFileName */ @@ -74,7 +74,7 @@ public function getPayloadFileName() /** * Sets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @param string $val The payloadFileName * diff --git a/src/Model/IosGeneralDeviceConfiguration.php b/src/Model/IosGeneralDeviceConfiguration.php index a6f3800d751..6e1d3b76eb7 100644 --- a/src/Model/IosGeneralDeviceConfiguration.php +++ b/src/Model/IosGeneralDeviceConfiguration.php @@ -317,7 +317,7 @@ public function setAppStoreBlockAutomaticDownloads($val) /** * Gets the appStoreBlocked - * Indicates whether or not to block the user from using the App Store. + * Indicates whether or not to block the user from using the App Store. Requires a supervised device for iOS 13 and later. * * @return bool|null The appStoreBlocked */ @@ -332,7 +332,7 @@ public function getAppStoreBlocked() /** * Sets the appStoreBlocked - * Indicates whether or not to block the user from using the App Store. + * Indicates whether or not to block the user from using the App Store. Requires a supervised device for iOS 13 and later. * * @param bool $val The appStoreBlocked * @@ -525,7 +525,7 @@ public function setBluetoothBlockModification($val) /** * Gets the cameraBlocked - * Indicates whether or not to block the user from accessing the camera of the device. + * Indicates whether or not to block the user from accessing the camera of the device. Requires a supervised device for iOS 13 and later. * * @return bool|null The cameraBlocked */ @@ -540,7 +540,7 @@ public function getCameraBlocked() /** * Sets the cameraBlocked - * Indicates whether or not to block the user from accessing the camera of the device. + * Indicates whether or not to block the user from accessing the camera of the device. Requires a supervised device for iOS 13 and later. * * @param bool $val The cameraBlocked * @@ -1168,7 +1168,7 @@ public function setEnterpriseAppBlockTrust($val) /** * Gets the enterpriseAppBlockTrustModification - * Indicates whether or not to block the user from modifying the enterprise app trust settings. + * [Deprecated] Configuring this setting and setting the value to 'true' has no effect on the device. * * @return bool|null The enterpriseAppBlockTrustModification */ @@ -1183,7 +1183,7 @@ public function getEnterpriseAppBlockTrustModification() /** * Sets the enterpriseAppBlockTrustModification - * Indicates whether or not to block the user from modifying the enterprise app trust settings. + * [Deprecated] Configuring this setting and setting the value to 'true' has no effect on the device. * * @param bool $val The enterpriseAppBlockTrustModification * @@ -1197,7 +1197,7 @@ public function setEnterpriseAppBlockTrustModification($val) /** * Gets the faceTimeBlocked - * Indicates whether or not to block the user from using FaceTime. + * Indicates whether or not to block the user from using FaceTime. Requires a supervised device for iOS 13 and later. * * @return bool|null The faceTimeBlocked */ @@ -1212,7 +1212,7 @@ public function getFaceTimeBlocked() /** * Sets the faceTimeBlocked - * Indicates whether or not to block the user from using FaceTime. + * Indicates whether or not to block the user from using FaceTime. Requires a supervised device for iOS 13 and later. * * @param bool $val The faceTimeBlocked * @@ -1226,7 +1226,7 @@ public function setFaceTimeBlocked($val) /** * Gets the findMyFriendsBlocked - * Indicates whether or not to block Find My Friends when the device is in supervised mode. + * Indicates whether or not to block changes to Find My Friends when the device is in supervised mode. * * @return bool|null The findMyFriendsBlocked */ @@ -1241,7 +1241,7 @@ public function getFindMyFriendsBlocked() /** * Sets the findMyFriendsBlocked - * Indicates whether or not to block Find My Friends when the device is in supervised mode. + * Indicates whether or not to block changes to Find My Friends when the device is in supervised mode. * * @param bool $val The findMyFriendsBlocked * @@ -1284,7 +1284,7 @@ public function setGameCenterBlocked($val) /** * Gets the gamingBlockGameCenterFriends - * Indicates whether or not to block the user from having friends in Game Center. + * Indicates whether or not to block the user from having friends in Game Center. Requires a supervised device for iOS 13 and later. * * @return bool|null The gamingBlockGameCenterFriends */ @@ -1299,7 +1299,7 @@ public function getGamingBlockGameCenterFriends() /** * Sets the gamingBlockGameCenterFriends - * Indicates whether or not to block the user from having friends in Game Center. + * Indicates whether or not to block the user from having friends in Game Center. Requires a supervised device for iOS 13 and later. * * @param bool $val The gamingBlockGameCenterFriends * @@ -1313,7 +1313,7 @@ public function setGamingBlockGameCenterFriends($val) /** * Gets the gamingBlockMultiplayer - * Indicates whether or not to block the user from using multiplayer gaming. + * Indicates whether or not to block the user from using multiplayer gaming. Requires a supervised device for iOS 13 and later. * * @return bool|null The gamingBlockMultiplayer */ @@ -1328,7 +1328,7 @@ public function getGamingBlockMultiplayer() /** * Sets the gamingBlockMultiplayer - * Indicates whether or not to block the user from using multiplayer gaming. + * Indicates whether or not to block the user from using multiplayer gaming. Requires a supervised device for iOS 13 and later. * * @param bool $val The gamingBlockMultiplayer * @@ -1458,7 +1458,7 @@ public function setICloudBlockActivityContinuation($val) /** * Gets the iCloudBlockBackup - * Indicates whether or not to block iCloud backup. + * Indicates whether or not to block iCloud backup. Requires a supervised device for iOS 13 and later. * * @return bool|null The iCloudBlockBackup */ @@ -1473,7 +1473,7 @@ public function getICloudBlockBackup() /** * Sets the iCloudBlockBackup - * Indicates whether or not to block iCloud backup. + * Indicates whether or not to block iCloud backup. Requires a supervised device for iOS 13 and later. * * @param bool $val The iCloudBlockBackup * @@ -1487,7 +1487,7 @@ public function setICloudBlockBackup($val) /** * Gets the iCloudBlockDocumentSync - * Indicates whether or not to block iCloud document sync. + * Indicates whether or not to block iCloud document sync. Requires a supervised device for iOS 13 and later. * * @return bool|null The iCloudBlockDocumentSync */ @@ -1502,7 +1502,7 @@ public function getICloudBlockDocumentSync() /** * Sets the iCloudBlockDocumentSync - * Indicates whether or not to block iCloud document sync. + * Indicates whether or not to block iCloud document sync. Requires a supervised device for iOS 13 and later. * * @param bool $val The iCloudBlockDocumentSync * @@ -1661,7 +1661,7 @@ public function setICloudRequireEncryptedBackup($val) /** * Gets the iTunesBlockExplicitContent - * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. + * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. Requires a supervised device for iOS 13 and later. * * @return bool|null The iTunesBlockExplicitContent */ @@ -1676,7 +1676,7 @@ public function getITunesBlockExplicitContent() /** * Sets the iTunesBlockExplicitContent - * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. + * Indicates whether or not to block the user from accessing explicit content in iTunes and the App Store. Requires a supervised device for iOS 13 and later. * * @param bool $val The iTunesBlockExplicitContent * @@ -1951,7 +1951,7 @@ public function setKioskModeAllowAssistiveTouchSettings($val) /** * Gets the kioskModeAllowAutoLock - * Indicates whether or not to allow device auto lock while in kiosk mode. + * Indicates whether or not to allow device auto lock while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockAutoLock instead. * * @return bool|null The kioskModeAllowAutoLock */ @@ -1966,7 +1966,7 @@ public function getKioskModeAllowAutoLock() /** * Sets the kioskModeAllowAutoLock - * Indicates whether or not to allow device auto lock while in kiosk mode. + * Indicates whether or not to allow device auto lock while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockAutoLock instead. * * @param bool $val The kioskModeAllowAutoLock * @@ -2009,7 +2009,7 @@ public function setKioskModeAllowColorInversionSettings($val) /** * Gets the kioskModeAllowRingerSwitch - * Indicates whether or not to allow use of the ringer switch while in kiosk mode. + * Indicates whether or not to allow use of the ringer switch while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockRingerSwitch instead. * * @return bool|null The kioskModeAllowRingerSwitch */ @@ -2024,7 +2024,7 @@ public function getKioskModeAllowRingerSwitch() /** * Sets the kioskModeAllowRingerSwitch - * Indicates whether or not to allow use of the ringer switch while in kiosk mode. + * Indicates whether or not to allow use of the ringer switch while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockRingerSwitch instead. * * @param bool $val The kioskModeAllowRingerSwitch * @@ -2038,7 +2038,7 @@ public function setKioskModeAllowRingerSwitch($val) /** * Gets the kioskModeAllowScreenRotation - * Indicates whether or not to allow screen rotation while in kiosk mode. + * Indicates whether or not to allow screen rotation while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockScreenRotation instead. * * @return bool|null The kioskModeAllowScreenRotation */ @@ -2053,7 +2053,7 @@ public function getKioskModeAllowScreenRotation() /** * Sets the kioskModeAllowScreenRotation - * Indicates whether or not to allow screen rotation while in kiosk mode. + * Indicates whether or not to allow screen rotation while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockScreenRotation instead. * * @param bool $val The kioskModeAllowScreenRotation * @@ -2067,7 +2067,7 @@ public function setKioskModeAllowScreenRotation($val) /** * Gets the kioskModeAllowSleepButton - * Indicates whether or not to allow use of the sleep button while in kiosk mode. + * Indicates whether or not to allow use of the sleep button while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockSleepButton instead. * * @return bool|null The kioskModeAllowSleepButton */ @@ -2082,7 +2082,7 @@ public function getKioskModeAllowSleepButton() /** * Sets the kioskModeAllowSleepButton - * Indicates whether or not to allow use of the sleep button while in kiosk mode. + * Indicates whether or not to allow use of the sleep button while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockSleepButton instead. * * @param bool $val The kioskModeAllowSleepButton * @@ -2096,7 +2096,7 @@ public function setKioskModeAllowSleepButton($val) /** * Gets the kioskModeAllowTouchscreen - * Indicates whether or not to allow use of the touchscreen while in kiosk mode. + * Indicates whether or not to allow use of the touchscreen while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockTouchscreen instead. * * @return bool|null The kioskModeAllowTouchscreen */ @@ -2111,7 +2111,7 @@ public function getKioskModeAllowTouchscreen() /** * Sets the kioskModeAllowTouchscreen - * Indicates whether or not to allow use of the touchscreen while in kiosk mode. + * Indicates whether or not to allow use of the touchscreen while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockTouchscreen instead. * * @param bool $val The kioskModeAllowTouchscreen * @@ -2154,7 +2154,7 @@ public function setKioskModeAllowVoiceOverSettings($val) /** * Gets the kioskModeAllowVolumeButtons - * Indicates whether or not to allow use of the volume buttons while in kiosk mode. + * Indicates whether or not to allow use of the volume buttons while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockVolumeButtons instead. * * @return bool|null The kioskModeAllowVolumeButtons */ @@ -2169,7 +2169,7 @@ public function getKioskModeAllowVolumeButtons() /** * Sets the kioskModeAllowVolumeButtons - * Indicates whether or not to allow use of the volume buttons while in kiosk mode. + * Indicates whether or not to allow use of the volume buttons while in kiosk mode. This property's functionality is redundant with the OS default and is deprecated. Use KioskModeBlockVolumeButtons instead. * * @param bool $val The kioskModeAllowVolumeButtons * @@ -3330,7 +3330,7 @@ public function setPasscodeRequiredType($val) /** * Gets the passcodeSignInFailureCountBeforeWipe - * Number of sign in failures allowed before wiping the device. Valid values 4 to 11 + * Number of sign in failures allowed before wiping the device. Valid values 2 to 11 * * @return int|null The passcodeSignInFailureCountBeforeWipe */ @@ -3345,7 +3345,7 @@ public function getPasscodeSignInFailureCountBeforeWipe() /** * Sets the passcodeSignInFailureCountBeforeWipe - * Number of sign in failures allowed before wiping the device. Valid values 4 to 11 + * Number of sign in failures allowed before wiping the device. Valid values 2 to 11 * * @param int $val The passcodeSignInFailureCountBeforeWipe * @@ -3388,7 +3388,7 @@ public function setPodcastsBlocked($val) /** * Gets the safariBlockAutofill - * Indicates whether or not to block the user from using Auto fill in Safari. + * Indicates whether or not to block the user from using Auto fill in Safari. Requires a supervised device for iOS 13 and later. * * @return bool|null The safariBlockAutofill */ @@ -3403,7 +3403,7 @@ public function getSafariBlockAutofill() /** * Sets the safariBlockAutofill - * Indicates whether or not to block the user from using Auto fill in Safari. + * Indicates whether or not to block the user from using Auto fill in Safari. Requires a supervised device for iOS 13 and later. * * @param bool $val The safariBlockAutofill * @@ -3417,7 +3417,7 @@ public function setSafariBlockAutofill($val) /** * Gets the safariBlocked - * Indicates whether or not to block the user from using Safari. + * Indicates whether or not to block the user from using Safari. Requires a supervised device for iOS 13 and later. * * @return bool|null The safariBlocked */ @@ -3432,7 +3432,7 @@ public function getSafariBlocked() /** * Sets the safariBlocked - * Indicates whether or not to block the user from using Safari. + * Indicates whether or not to block the user from using Safari. Requires a supervised device for iOS 13 and later. * * @param bool $val The safariBlocked * diff --git a/src/Model/IosHomeScreenApp.php b/src/Model/IosHomeScreenApp.php index d86acb31c0a..5824d7bbaeb 100644 --- a/src/Model/IosHomeScreenApp.php +++ b/src/Model/IosHomeScreenApp.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the bundleID - * BundleID of app + * BundleID of the app if isWebClip is false or the URL of a web clip if isWebClip is true. * * @return string|null The bundleID */ @@ -49,7 +49,7 @@ public function getBundleID() /** * Sets the bundleID - * BundleID of app + * BundleID of the app if isWebClip is false or the URL of a web clip if isWebClip is true. * * @param string $val The value of the bundleID * diff --git a/src/Model/IosHomeScreenFolder.php b/src/Model/IosHomeScreenFolder.php index 2fcbf7fd990..d88fe219a06 100644 --- a/src/Model/IosHomeScreenFolder.php +++ b/src/Model/IosHomeScreenFolder.php @@ -35,7 +35,7 @@ public function __construct() /** * Gets the pages - * Pages of Home Screen Layout Icons which must be Application Type. This collection can contain a maximum of 500 elements. + * Pages of Home Screen Layout Icons which must be applications or web clips. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenFolderPage|null The pages */ @@ -54,7 +54,7 @@ public function getPages() /** * Sets the pages - * Pages of Home Screen Layout Icons which must be Application Type. This collection can contain a maximum of 500 elements. + * Pages of Home Screen Layout Icons which must be applications or web clips. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenFolderPage $val The value to assign to the pages * diff --git a/src/Model/IosHomeScreenFolderPage.php b/src/Model/IosHomeScreenFolderPage.php index c9e651d984a..2febea45055 100644 --- a/src/Model/IosHomeScreenFolderPage.php +++ b/src/Model/IosHomeScreenFolderPage.php @@ -26,7 +26,7 @@ class IosHomeScreenFolderPage extends Entity /** * Gets the apps - * A list of apps to appear on a page within a folder. This collection can contain a maximum of 500 elements. + * A list of apps and web clips to appear on a page within a folder. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenApp|null The apps */ @@ -45,7 +45,7 @@ public function getApps() /** * Sets the apps - * A list of apps to appear on a page within a folder. This collection can contain a maximum of 500 elements. + * A list of apps and web clips to appear on a page within a folder. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenApp $val The value to assign to the apps * diff --git a/src/Model/IosHomeScreenPage.php b/src/Model/IosHomeScreenPage.php index 9583502a57f..f1b3c420340 100644 --- a/src/Model/IosHomeScreenPage.php +++ b/src/Model/IosHomeScreenPage.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the icons - * A list of apps and folders to appear on a page. This collection can contain a maximum of 500 elements. + * A list of apps, folders, and web clips to appear on a page. This collection can contain a maximum of 500 elements. * * @return IosHomeScreenItem|null The icons */ @@ -73,7 +73,7 @@ public function getIcons() /** * Sets the icons - * A list of apps and folders to appear on a page. This collection can contain a maximum of 500 elements. + * A list of apps, folders, and web clips to appear on a page. This collection can contain a maximum of 500 elements. * * @param IosHomeScreenItem $val The value to assign to the icons * diff --git a/src/Model/IosManagedAppProtection.php b/src/Model/IosManagedAppProtection.php index 5d0e3f04f60..2a5b057a2ad 100644 --- a/src/Model/IosManagedAppProtection.php +++ b/src/Model/IosManagedAppProtection.php @@ -59,7 +59,7 @@ public function setAppDataEncryptionType($val) /** * Gets the customBrowserProtocol - * A custom browser protocol to open weblink on iOS. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * A custom browser protocol to open weblink on iOS. * * @return string|null The customBrowserProtocol */ @@ -74,7 +74,7 @@ public function getCustomBrowserProtocol() /** * Sets the customBrowserProtocol - * A custom browser protocol to open weblink on iOS. When this property is configured, ManagedBrowserToOpenLinksRequired should be true. + * A custom browser protocol to open weblink on iOS. * * @param string $val The customBrowserProtocol * diff --git a/src/Model/IosUpdateDeviceStatus.php b/src/Model/IosUpdateDeviceStatus.php index d9807bd7519..965063a07d5 100644 --- a/src/Model/IosUpdateDeviceStatus.php +++ b/src/Model/IosUpdateDeviceStatus.php @@ -146,7 +146,7 @@ public function setDeviceModel($val) /** * Gets the installStatus - * The installation status of the policy report. Possible values are: success, available, idle, unknown, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError. + * The installation status of the policy report. Possible values are: success, available, idle, unknown, mdmClientCrashed, timeout, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError, updateError, deviceOsHigherThanDesiredOsVersion, updateScanFailed. * * @return IosUpdatesInstallStatus|null The installStatus */ @@ -165,7 +165,7 @@ public function getInstallStatus() /** * Sets the installStatus - * The installation status of the policy report. Possible values are: success, available, idle, unknown, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError. + * The installation status of the policy report. Possible values are: success, available, idle, unknown, mdmClientCrashed, timeout, downloading, downloadFailed, downloadRequiresComputer, downloadInsufficientSpace, downloadInsufficientPower, downloadInsufficientNetwork, installing, installInsufficientSpace, installInsufficientPower, installPhoneCallInProgress, installFailed, notSupportedOperation, sharedDeviceUserLoggedInError, updateError, deviceOsHigherThanDesiredOsVersion, updateScanFailed. * * @param IosUpdatesInstallStatus $val The installStatus * diff --git a/src/Model/ItemAttachment.php b/src/Model/ItemAttachment.php index 43713299e4c..6728e6b4870 100644 --- a/src/Model/ItemAttachment.php +++ b/src/Model/ItemAttachment.php @@ -26,7 +26,7 @@ class ItemAttachment extends Attachment { /** * Gets the item - * The attached message or event. Navigation property. + * The attached contact, message or event. Navigation property. * * @return OutlookItem|null The item */ @@ -45,7 +45,7 @@ public function getItem() /** * Sets the item - * The attached message or event. Navigation property. + * The attached contact, message or event. Navigation property. * * @param OutlookItem $val The item * diff --git a/src/Model/KeyCredential.php b/src/Model/KeyCredential.php index c971c432ce2..62fa0beff68 100644 --- a/src/Model/KeyCredential.php +++ b/src/Model/KeyCredential.php @@ -120,7 +120,7 @@ public function setEndDateTime($val) /** * Gets the key - * The certificate's raw data in byte array converted to Base64 string; for example, [System.Convert]::ToBase64String($Cert.GetRawCertData()). + * Value for the key credential. Should be a base 64 encoded value. * * @return \GuzzleHttp\Psr7\Stream|null The key */ @@ -139,7 +139,7 @@ public function getKey() /** * Sets the key - * The certificate's raw data in byte array converted to Base64 string; for example, [System.Convert]::ToBase64String($Cert.GetRawCertData()). + * Value for the key credential. Should be a base 64 encoded value. * * @param \GuzzleHttp\Psr7\Stream $val The value to assign to the key * diff --git a/src/Model/KeyValue.php b/src/Model/KeyValue.php index 269dd0b75ae..4e9aecc5563 100644 --- a/src/Model/KeyValue.php +++ b/src/Model/KeyValue.php @@ -25,7 +25,7 @@ class KeyValue extends Entity { /** * Gets the key - * Key for the key-value pair. + * Contains the name of the field that a value is associated with. When a sign in or domain hint is included in the sign-in request, corresponding fields are included as key-value pairs. Possible keys: Login hint present, Domain hint present. * * @return string|null The key */ @@ -40,7 +40,7 @@ public function getKey() /** * Sets the key - * Key for the key-value pair. + * Contains the name of the field that a value is associated with. When a sign in or domain hint is included in the sign-in request, corresponding fields are included as key-value pairs. Possible keys: Login hint present, Domain hint present. * * @param string $val The value of the key * @@ -53,7 +53,7 @@ public function setKey($val) } /** * Gets the value - * Value for the key-value pair. + * Contains the corresponding value for the specified key. The value is true if a sign in hint was included in the sign-in request; otherwise false. The value is true if a domain hint was included in the sign-in request; otherwise false. * * @return string|null The value */ @@ -68,7 +68,7 @@ public function getValue() /** * Sets the value - * Value for the key-value pair. + * Contains the corresponding value for the specified key. The value is true if a sign in hint was included in the sign-in request; otherwise false. The value is true if a domain hint was included in the sign-in request; otherwise false. * * @param string $val The value of the value * diff --git a/src/Model/Location.php b/src/Model/Location.php index 163136e9214..29d2583b479 100644 --- a/src/Model/Location.php +++ b/src/Model/Location.php @@ -148,7 +148,7 @@ public function setLocationEmailAddress($val) /** * Gets the locationType - * The type of location. The possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. + * The type of location. Possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. * * @return LocationType|null The locationType */ @@ -167,7 +167,7 @@ public function getLocationType() /** * Sets the locationType - * The type of location. The possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. + * The type of location. Possible values are: default, conferenceRoom, homeAddress, businessAddress,geoCoordinates, streetAddress, hotel, restaurant, localBusiness, postalAddress. Read-only. * * @param LocationType $val The value to assign to the locationType * diff --git a/src/Model/MacOSCustomConfiguration.php b/src/Model/MacOSCustomConfiguration.php index 3b4cf0e7642..c6ca273aefb 100644 --- a/src/Model/MacOSCustomConfiguration.php +++ b/src/Model/MacOSCustomConfiguration.php @@ -59,7 +59,7 @@ public function setPayload($val) /** * Gets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @return string|null The payloadFileName */ @@ -74,7 +74,7 @@ public function getPayloadFileName() /** * Sets the payloadFileName - * Payload file name (.mobileconfig | .xml). + * Payload file name (.mobileconfig * * @param string $val The payloadFileName * diff --git a/src/Model/MailboxSettings.php b/src/Model/MailboxSettings.php index f7aa97997f0..1056d30b6e7 100644 --- a/src/Model/MailboxSettings.php +++ b/src/Model/MailboxSettings.php @@ -25,7 +25,7 @@ class MailboxSettings extends Entity { /** * Gets the archiveFolder - * Folder ID of an archive folder for the user. + * Folder ID of an archive folder for the user. Read only. * * @return string|null The archiveFolder */ @@ -40,7 +40,7 @@ public function getArchiveFolder() /** * Sets the archiveFolder - * Folder ID of an archive folder for the user. + * Folder ID of an archive folder for the user. Read only. * * @param string $val The value of the archiveFolder * @@ -115,7 +115,7 @@ public function setDateFormat($val) /** * Gets the delegateMeetingMessageDeliveryOptions - * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. + * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. The default is sendToDelegateOnly. * * @return DelegateMeetingMessageDeliveryOptions|null The delegateMeetingMessageDeliveryOptions */ @@ -134,7 +134,7 @@ public function getDelegateMeetingMessageDeliveryOptions() /** * Sets the delegateMeetingMessageDeliveryOptions - * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. + * If the user has a calendar delegate, this specifies whether the delegate, mailbox owner, or both receive meeting messages and meeting responses. Possible values are: sendToDelegateAndInformationToPrincipal, sendToDelegateAndPrincipal, sendToDelegateOnly. The default is sendToDelegateOnly. * * @param DelegateMeetingMessageDeliveryOptions $val The value to assign to the delegateMeetingMessageDeliveryOptions * diff --git a/src/Model/ManagedAppRegistration.php b/src/Model/ManagedAppRegistration.php index 7e2d5dd07c2..39c81d861bb 100644 --- a/src/Model/ManagedAppRegistration.php +++ b/src/Model/ManagedAppRegistration.php @@ -388,7 +388,7 @@ public function setVersion($val) /** * Gets the appliedPolicies - * Zero or more policys already applied on the registered app when it last synchronized with management service. + * Zero or more policys already applied on the registered app when it last synchronized with managment service. * * @return array|null The appliedPolicies */ @@ -403,7 +403,7 @@ public function getAppliedPolicies() /** * Sets the appliedPolicies - * Zero or more policys already applied on the registered app when it last synchronized with management service. + * Zero or more policys already applied on the registered app when it last synchronized with managment service. * * @param ManagedAppPolicy $val The appliedPolicies * diff --git a/src/Model/ManagedDevice.php b/src/Model/ManagedDevice.php index 30cc0816bbb..5ca640a67fe 100644 --- a/src/Model/ManagedDevice.php +++ b/src/Model/ManagedDevice.php @@ -26,7 +26,7 @@ class ManagedDevice extends Entity { /** * Gets the activationLockBypassCode - * Code that allows the Activation Lock on a device to be bypassed. + * Code that allows the Activation Lock on a device to be bypassed. This property is read-only. * * @return string|null The activationLockBypassCode */ @@ -41,7 +41,7 @@ public function getActivationLockBypassCode() /** * Sets the activationLockBypassCode - * Code that allows the Activation Lock on a device to be bypassed. + * Code that allows the Activation Lock on a device to be bypassed. This property is read-only. * * @param string $val The activationLockBypassCode * @@ -55,7 +55,7 @@ public function setActivationLockBypassCode($val) /** * Gets the androidSecurityPatchLevel - * Android security patch level + * Android security patch level. This property is read-only. * * @return string|null The androidSecurityPatchLevel */ @@ -70,7 +70,7 @@ public function getAndroidSecurityPatchLevel() /** * Sets the androidSecurityPatchLevel - * Android security patch level + * Android security patch level. This property is read-only. * * @param string $val The androidSecurityPatchLevel * @@ -84,7 +84,7 @@ public function setAndroidSecurityPatchLevel($val) /** * Gets the azureADDeviceId - * The unique identifier for the Azure Active Directory device. Read only. + * The unique identifier for the Azure Active Directory device. Read only. This property is read-only. * * @return string|null The azureADDeviceId */ @@ -99,7 +99,7 @@ public function getAzureADDeviceId() /** * Sets the azureADDeviceId - * The unique identifier for the Azure Active Directory device. Read only. + * The unique identifier for the Azure Active Directory device. Read only. This property is read-only. * * @param string $val The azureADDeviceId * @@ -113,7 +113,7 @@ public function setAzureADDeviceId($val) /** * Gets the azureADRegistered - * Whether the device is Azure Active Directory registered. + * Whether the device is Azure Active Directory registered. This property is read-only. * * @return bool|null The azureADRegistered */ @@ -128,7 +128,7 @@ public function getAzureADRegistered() /** * Sets the azureADRegistered - * Whether the device is Azure Active Directory registered. + * Whether the device is Azure Active Directory registered. This property is read-only. * * @param bool $val The azureADRegistered * @@ -142,7 +142,7 @@ public function setAzureADRegistered($val) /** * Gets the complianceGracePeriodExpirationDateTime - * The DateTime when device compliance grace period expires + * The DateTime when device compliance grace period expires. This property is read-only. * * @return \DateTime|null The complianceGracePeriodExpirationDateTime */ @@ -161,7 +161,7 @@ public function getComplianceGracePeriodExpirationDateTime() /** * Sets the complianceGracePeriodExpirationDateTime - * The DateTime when device compliance grace period expires + * The DateTime when device compliance grace period expires. This property is read-only. * * @param \DateTime $val The complianceGracePeriodExpirationDateTime * @@ -175,7 +175,7 @@ public function setComplianceGracePeriodExpirationDateTime($val) /** * Gets the complianceState - * Compliance state of the device. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. + * Compliance state of the device. This property is read-only. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. * * @return ComplianceState|null The complianceState */ @@ -194,7 +194,7 @@ public function getComplianceState() /** * Sets the complianceState - * Compliance state of the device. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. + * Compliance state of the device. This property is read-only. Possible values are: unknown, compliant, noncompliant, conflict, error, inGracePeriod, configManager. * * @param ComplianceState $val The complianceState * @@ -208,7 +208,7 @@ public function setComplianceState($val) /** * Gets the configurationManagerClientEnabledFeatures - * ConfigrMgr client enabled features + * ConfigrMgr client enabled features. This property is read-only. * * @return ConfigurationManagerClientEnabledFeatures|null The configurationManagerClientEnabledFeatures */ @@ -227,7 +227,7 @@ public function getConfigurationManagerClientEnabledFeatures() /** * Sets the configurationManagerClientEnabledFeatures - * ConfigrMgr client enabled features + * ConfigrMgr client enabled features. This property is read-only. * * @param ConfigurationManagerClientEnabledFeatures $val The configurationManagerClientEnabledFeatures * @@ -242,7 +242,7 @@ public function setConfigurationManagerClientEnabledFeatures($val) /** * Gets the deviceActionResults - * List of ComplexType deviceActionResult objects. + * List of ComplexType deviceActionResult objects. This property is read-only. * * @return array|null The deviceActionResults */ @@ -257,7 +257,7 @@ public function getDeviceActionResults() /** * Sets the deviceActionResults - * List of ComplexType deviceActionResult objects. + * List of ComplexType deviceActionResult objects. This property is read-only. * * @param DeviceActionResult $val The deviceActionResults * @@ -271,7 +271,7 @@ public function setDeviceActionResults($val) /** * Gets the deviceCategoryDisplayName - * Device category display name + * Device category display name. This property is read-only. * * @return string|null The deviceCategoryDisplayName */ @@ -286,7 +286,7 @@ public function getDeviceCategoryDisplayName() /** * Sets the deviceCategoryDisplayName - * Device category display name + * Device category display name. This property is read-only. * * @param string $val The deviceCategoryDisplayName * @@ -300,7 +300,7 @@ public function setDeviceCategoryDisplayName($val) /** * Gets the deviceEnrollmentType - * Enrollment type of the device. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Enrollment type of the device. This property is read-only. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @return DeviceEnrollmentType|null The deviceEnrollmentType */ @@ -319,7 +319,7 @@ public function getDeviceEnrollmentType() /** * Sets the deviceEnrollmentType - * Enrollment type of the device. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement. + * Enrollment type of the device. This property is read-only. Possible values are: unknown, userEnrollment, deviceEnrollmentManager, appleBulkWithUser, appleBulkWithoutUser, windowsAzureADJoin, windowsBulkUserless, windowsAutoEnrollment, windowsBulkAzureDomainJoin, windowsCoManagement, windowsAzureADJoinUsingDeviceAuth, appleUserEnrollment, appleUserEnrollmentWithServiceAccount, azureAdJoinUsingAzureVmExtension, androidEnterpriseDedicatedDevice, androidEnterpriseFullyManaged, androidEnterpriseCorporateWorkProfile. * * @param DeviceEnrollmentType $val The deviceEnrollmentType * @@ -333,7 +333,7 @@ public function setDeviceEnrollmentType($val) /** * Gets the deviceHealthAttestationState - * The device health attestation state. + * The device health attestation state. This property is read-only. * * @return DeviceHealthAttestationState|null The deviceHealthAttestationState */ @@ -352,7 +352,7 @@ public function getDeviceHealthAttestationState() /** * Sets the deviceHealthAttestationState - * The device health attestation state. + * The device health attestation state. This property is read-only. * * @param DeviceHealthAttestationState $val The deviceHealthAttestationState * @@ -366,7 +366,7 @@ public function setDeviceHealthAttestationState($val) /** * Gets the deviceName - * Name of the device + * Name of the device. This property is read-only. * * @return string|null The deviceName */ @@ -381,7 +381,7 @@ public function getDeviceName() /** * Sets the deviceName - * Name of the device + * Name of the device. This property is read-only. * * @param string $val The deviceName * @@ -395,7 +395,7 @@ public function setDeviceName($val) /** * Gets the deviceRegistrationState - * Device registration state. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. + * Device registration state. This property is read-only. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. * * @return DeviceRegistrationState|null The deviceRegistrationState */ @@ -414,7 +414,7 @@ public function getDeviceRegistrationState() /** * Sets the deviceRegistrationState - * Device registration state. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. + * Device registration state. This property is read-only. Possible values are: notRegistered, registered, revoked, keyConflict, approvalPending, certificateReset, notRegisteredPendingEnrollment, unknown. * * @param DeviceRegistrationState $val The deviceRegistrationState * @@ -428,7 +428,7 @@ public function setDeviceRegistrationState($val) /** * Gets the easActivated - * Whether the device is Exchange ActiveSync activated. + * Whether the device is Exchange ActiveSync activated. This property is read-only. * * @return bool|null The easActivated */ @@ -443,7 +443,7 @@ public function getEasActivated() /** * Sets the easActivated - * Whether the device is Exchange ActiveSync activated. + * Whether the device is Exchange ActiveSync activated. This property is read-only. * * @param bool $val The easActivated * @@ -457,7 +457,7 @@ public function setEasActivated($val) /** * Gets the easActivationDateTime - * Exchange ActivationSync activation time of the device. + * Exchange ActivationSync activation time of the device. This property is read-only. * * @return \DateTime|null The easActivationDateTime */ @@ -476,7 +476,7 @@ public function getEasActivationDateTime() /** * Sets the easActivationDateTime - * Exchange ActivationSync activation time of the device. + * Exchange ActivationSync activation time of the device. This property is read-only. * * @param \DateTime $val The easActivationDateTime * @@ -490,7 +490,7 @@ public function setEasActivationDateTime($val) /** * Gets the easDeviceId - * Exchange ActiveSync Id of the device. + * Exchange ActiveSync Id of the device. This property is read-only. * * @return string|null The easDeviceId */ @@ -505,7 +505,7 @@ public function getEasDeviceId() /** * Sets the easDeviceId - * Exchange ActiveSync Id of the device. + * Exchange ActiveSync Id of the device. This property is read-only. * * @param string $val The easDeviceId * @@ -519,7 +519,7 @@ public function setEasDeviceId($val) /** * Gets the emailAddress - * Email(s) for the user associated with the device + * Email(s) for the user associated with the device. This property is read-only. * * @return string|null The emailAddress */ @@ -534,7 +534,7 @@ public function getEmailAddress() /** * Sets the emailAddress - * Email(s) for the user associated with the device + * Email(s) for the user associated with the device. This property is read-only. * * @param string $val The emailAddress * @@ -548,7 +548,7 @@ public function setEmailAddress($val) /** * Gets the enrolledDateTime - * Enrollment time of the device. + * Enrollment time of the device. This property is read-only. * * @return \DateTime|null The enrolledDateTime */ @@ -567,7 +567,7 @@ public function getEnrolledDateTime() /** * Sets the enrolledDateTime - * Enrollment time of the device. + * Enrollment time of the device. This property is read-only. * * @param \DateTime $val The enrolledDateTime * @@ -581,7 +581,7 @@ public function setEnrolledDateTime($val) /** * Gets the exchangeAccessState - * The Access State of the device in Exchange. Possible values are: none, unknown, allowed, blocked, quarantined. + * The Access State of the device in Exchange. This property is read-only. Possible values are: none, unknown, allowed, blocked, quarantined. * * @return DeviceManagementExchangeAccessState|null The exchangeAccessState */ @@ -600,7 +600,7 @@ public function getExchangeAccessState() /** * Sets the exchangeAccessState - * The Access State of the device in Exchange. Possible values are: none, unknown, allowed, blocked, quarantined. + * The Access State of the device in Exchange. This property is read-only. Possible values are: none, unknown, allowed, blocked, quarantined. * * @param DeviceManagementExchangeAccessState $val The exchangeAccessState * @@ -614,7 +614,7 @@ public function setExchangeAccessState($val) /** * Gets the exchangeAccessStateReason - * The reason for the device's access state in Exchange. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. + * The reason for the device's access state in Exchange. This property is read-only. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. * * @return DeviceManagementExchangeAccessStateReason|null The exchangeAccessStateReason */ @@ -633,7 +633,7 @@ public function getExchangeAccessStateReason() /** * Sets the exchangeAccessStateReason - * The reason for the device's access state in Exchange. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. + * The reason for the device's access state in Exchange. This property is read-only. Possible values are: none, unknown, exchangeGlobalRule, exchangeIndividualRule, exchangeDeviceRule, exchangeUpgrade, exchangeMailboxPolicy, other, compliant, notCompliant, notEnrolled, unknownLocation, mfaRequired, azureADBlockDueToAccessPolicy, compromisedPassword, deviceNotKnownWithManagedApp. * * @param DeviceManagementExchangeAccessStateReason $val The exchangeAccessStateReason * @@ -647,7 +647,7 @@ public function setExchangeAccessStateReason($val) /** * Gets the exchangeLastSuccessfulSyncDateTime - * Last time the device contacted Exchange. + * Last time the device contacted Exchange. This property is read-only. * * @return \DateTime|null The exchangeLastSuccessfulSyncDateTime */ @@ -666,7 +666,7 @@ public function getExchangeLastSuccessfulSyncDateTime() /** * Sets the exchangeLastSuccessfulSyncDateTime - * Last time the device contacted Exchange. + * Last time the device contacted Exchange. This property is read-only. * * @param \DateTime $val The exchangeLastSuccessfulSyncDateTime * @@ -680,7 +680,7 @@ public function setExchangeLastSuccessfulSyncDateTime($val) /** * Gets the freeStorageSpaceInBytes - * Free Storage in Bytes + * Free Storage in Bytes. This property is read-only. * * @return int|null The freeStorageSpaceInBytes */ @@ -695,7 +695,7 @@ public function getFreeStorageSpaceInBytes() /** * Sets the freeStorageSpaceInBytes - * Free Storage in Bytes + * Free Storage in Bytes. This property is read-only. * * @param int $val The freeStorageSpaceInBytes * @@ -709,7 +709,7 @@ public function setFreeStorageSpaceInBytes($val) /** * Gets the imei - * IMEI + * IMEI. This property is read-only. * * @return string|null The imei */ @@ -724,7 +724,7 @@ public function getImei() /** * Sets the imei - * IMEI + * IMEI. This property is read-only. * * @param string $val The imei * @@ -738,7 +738,7 @@ public function setImei($val) /** * Gets the isEncrypted - * Device encryption status + * Device encryption status. This property is read-only. * * @return bool|null The isEncrypted */ @@ -753,7 +753,7 @@ public function getIsEncrypted() /** * Sets the isEncrypted - * Device encryption status + * Device encryption status. This property is read-only. * * @param bool $val The isEncrypted * @@ -767,7 +767,7 @@ public function setIsEncrypted($val) /** * Gets the isSupervised - * Device supervised status + * Device supervised status. This property is read-only. * * @return bool|null The isSupervised */ @@ -782,7 +782,7 @@ public function getIsSupervised() /** * Sets the isSupervised - * Device supervised status + * Device supervised status. This property is read-only. * * @param bool $val The isSupervised * @@ -796,7 +796,7 @@ public function setIsSupervised($val) /** * Gets the jailBroken - * whether the device is jail broken or rooted. + * whether the device is jail broken or rooted. This property is read-only. * * @return string|null The jailBroken */ @@ -811,7 +811,7 @@ public function getJailBroken() /** * Sets the jailBroken - * whether the device is jail broken or rooted. + * whether the device is jail broken or rooted. This property is read-only. * * @param string $val The jailBroken * @@ -825,7 +825,7 @@ public function setJailBroken($val) /** * Gets the lastSyncDateTime - * The date and time that the device last completed a successful sync with Intune. + * The date and time that the device last completed a successful sync with Intune. This property is read-only. * * @return \DateTime|null The lastSyncDateTime */ @@ -844,7 +844,7 @@ public function getLastSyncDateTime() /** * Sets the lastSyncDateTime - * The date and time that the device last completed a successful sync with Intune. + * The date and time that the device last completed a successful sync with Intune. This property is read-only. * * @param \DateTime $val The lastSyncDateTime * @@ -920,7 +920,7 @@ public function setManagedDeviceOwnerType($val) /** * Gets the managementAgent - * Management channel of the device. Intune, EAS, etc. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController. + * Management channel of the device. Intune, EAS, etc. This property is read-only. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController, microsoft365ManagedMdm, msSense. * * @return ManagementAgentType|null The managementAgent */ @@ -939,7 +939,7 @@ public function getManagementAgent() /** * Sets the managementAgent - * Management channel of the device. Intune, EAS, etc. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController. + * Management channel of the device. Intune, EAS, etc. This property is read-only. Possible values are: eas, mdm, easMdm, intuneClient, easIntuneClient, configurationManagerClient, configurationManagerClientMdm, configurationManagerClientMdmEas, unknown, jamf, googleCloudDevicePolicyController, microsoft365ManagedMdm, msSense. * * @param ManagementAgentType $val The managementAgent * @@ -953,7 +953,7 @@ public function setManagementAgent($val) /** * Gets the manufacturer - * Manufacturer of the device + * Manufacturer of the device. This property is read-only. * * @return string|null The manufacturer */ @@ -968,7 +968,7 @@ public function getManufacturer() /** * Sets the manufacturer - * Manufacturer of the device + * Manufacturer of the device. This property is read-only. * * @param string $val The manufacturer * @@ -982,7 +982,7 @@ public function setManufacturer($val) /** * Gets the meid - * MEID + * MEID. This property is read-only. * * @return string|null The meid */ @@ -997,7 +997,7 @@ public function getMeid() /** * Sets the meid - * MEID + * MEID. This property is read-only. * * @param string $val The meid * @@ -1011,7 +1011,7 @@ public function setMeid($val) /** * Gets the model - * Model of the device + * Model of the device. This property is read-only. * * @return string|null The model */ @@ -1026,7 +1026,7 @@ public function getModel() /** * Sets the model - * Model of the device + * Model of the device. This property is read-only. * * @param string $val The model * @@ -1040,7 +1040,7 @@ public function setModel($val) /** * Gets the operatingSystem - * Operating system of the device. Windows, iOS, etc. + * Operating system of the device. Windows, iOS, etc. This property is read-only. * * @return string|null The operatingSystem */ @@ -1055,7 +1055,7 @@ public function getOperatingSystem() /** * Sets the operatingSystem - * Operating system of the device. Windows, iOS, etc. + * Operating system of the device. Windows, iOS, etc. This property is read-only. * * @param string $val The operatingSystem * @@ -1069,7 +1069,7 @@ public function setOperatingSystem($val) /** * Gets the osVersion - * Operating system version of the device. + * Operating system version of the device. This property is read-only. * * @return string|null The osVersion */ @@ -1084,7 +1084,7 @@ public function getOsVersion() /** * Sets the osVersion - * Operating system version of the device. + * Operating system version of the device. This property is read-only. * * @param string $val The osVersion * @@ -1098,7 +1098,7 @@ public function setOsVersion($val) /** * Gets the partnerReportedThreatState - * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. + * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. This property is read-only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. * * @return ManagedDevicePartnerReportedHealthState|null The partnerReportedThreatState */ @@ -1117,7 +1117,7 @@ public function getPartnerReportedThreatState() /** * Sets the partnerReportedThreatState - * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. + * Indicates the threat state of a device when a Mobile Threat Defense partner is in use by the account and device. Read Only. This property is read-only. Possible values are: unknown, activated, deactivated, secured, lowSeverity, mediumSeverity, highSeverity, unresponsive, compromised, misconfigured. * * @param ManagedDevicePartnerReportedHealthState $val The partnerReportedThreatState * @@ -1131,7 +1131,7 @@ public function setPartnerReportedThreatState($val) /** * Gets the phoneNumber - * Phone number of the device + * Phone number of the device. This property is read-only. * * @return string|null The phoneNumber */ @@ -1146,7 +1146,7 @@ public function getPhoneNumber() /** * Sets the phoneNumber - * Phone number of the device + * Phone number of the device. This property is read-only. * * @param string $val The phoneNumber * @@ -1160,7 +1160,7 @@ public function setPhoneNumber($val) /** * Gets the remoteAssistanceSessionErrorDetails - * An error string that identifies issues when creating Remote Assistance session objects. + * An error string that identifies issues when creating Remote Assistance session objects. This property is read-only. * * @return string|null The remoteAssistanceSessionErrorDetails */ @@ -1175,7 +1175,7 @@ public function getRemoteAssistanceSessionErrorDetails() /** * Sets the remoteAssistanceSessionErrorDetails - * An error string that identifies issues when creating Remote Assistance session objects. + * An error string that identifies issues when creating Remote Assistance session objects. This property is read-only. * * @param string $val The remoteAssistanceSessionErrorDetails * @@ -1189,7 +1189,7 @@ public function setRemoteAssistanceSessionErrorDetails($val) /** * Gets the remoteAssistanceSessionUrl - * Url that allows a Remote Assistance session to be established with the device. + * Url that allows a Remote Assistance session to be established with the device. This property is read-only. * * @return string|null The remoteAssistanceSessionUrl */ @@ -1204,7 +1204,7 @@ public function getRemoteAssistanceSessionUrl() /** * Sets the remoteAssistanceSessionUrl - * Url that allows a Remote Assistance session to be established with the device. + * Url that allows a Remote Assistance session to be established with the device. This property is read-only. * * @param string $val The remoteAssistanceSessionUrl * @@ -1218,7 +1218,7 @@ public function setRemoteAssistanceSessionUrl($val) /** * Gets the serialNumber - * SerialNumber + * SerialNumber. This property is read-only. * * @return string|null The serialNumber */ @@ -1233,7 +1233,7 @@ public function getSerialNumber() /** * Sets the serialNumber - * SerialNumber + * SerialNumber. This property is read-only. * * @param string $val The serialNumber * @@ -1247,7 +1247,7 @@ public function setSerialNumber($val) /** * Gets the subscriberCarrier - * Subscriber Carrier + * Subscriber Carrier. This property is read-only. * * @return string|null The subscriberCarrier */ @@ -1262,7 +1262,7 @@ public function getSubscriberCarrier() /** * Sets the subscriberCarrier - * Subscriber Carrier + * Subscriber Carrier. This property is read-only. * * @param string $val The subscriberCarrier * @@ -1276,7 +1276,7 @@ public function setSubscriberCarrier($val) /** * Gets the totalStorageSpaceInBytes - * Total Storage in Bytes + * Total Storage in Bytes. This property is read-only. * * @return int|null The totalStorageSpaceInBytes */ @@ -1291,7 +1291,7 @@ public function getTotalStorageSpaceInBytes() /** * Sets the totalStorageSpaceInBytes - * Total Storage in Bytes + * Total Storage in Bytes. This property is read-only. * * @param int $val The totalStorageSpaceInBytes * @@ -1305,7 +1305,7 @@ public function setTotalStorageSpaceInBytes($val) /** * Gets the userDisplayName - * User display name + * User display name. This property is read-only. * * @return string|null The userDisplayName */ @@ -1320,7 +1320,7 @@ public function getUserDisplayName() /** * Sets the userDisplayName - * User display name + * User display name. This property is read-only. * * @param string $val The userDisplayName * @@ -1334,7 +1334,7 @@ public function setUserDisplayName($val) /** * Gets the userId - * Unique Identifier for the user associated with the device + * Unique Identifier for the user associated with the device. This property is read-only. * * @return string|null The userId */ @@ -1349,7 +1349,7 @@ public function getUserId() /** * Sets the userId - * Unique Identifier for the user associated with the device + * Unique Identifier for the user associated with the device. This property is read-only. * * @param string $val The userId * @@ -1363,7 +1363,7 @@ public function setUserId($val) /** * Gets the userPrincipalName - * Device user principal name + * Device user principal name. This property is read-only. * * @return string|null The userPrincipalName */ @@ -1378,7 +1378,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * Device user principal name + * Device user principal name. This property is read-only. * * @param string $val The userPrincipalName * @@ -1392,7 +1392,7 @@ public function setUserPrincipalName($val) /** * Gets the wiFiMacAddress - * Wi-Fi MAC + * Wi-Fi MAC. This property is read-only. * * @return string|null The wiFiMacAddress */ @@ -1407,7 +1407,7 @@ public function getWiFiMacAddress() /** * Sets the wiFiMacAddress - * Wi-Fi MAC + * Wi-Fi MAC. This property is read-only. * * @param string $val The wiFiMacAddress * diff --git a/src/Model/MediaInfo.php b/src/Model/MediaInfo.php index 39cee59ac2d..c278b205e62 100644 --- a/src/Model/MediaInfo.php +++ b/src/Model/MediaInfo.php @@ -25,7 +25,7 @@ class MediaInfo extends Entity { /** * Gets the resourceId - * Optional. Used to uniquely identity the resource. If passed in, the prompt uri will be cached against this resourceId as a key. + * Optional, used to uniquely identity the resource. If passed the prompt uri will be cached against this resourceId as key. * * @return string|null The resourceId */ @@ -40,7 +40,7 @@ public function getResourceId() /** * Sets the resourceId - * Optional. Used to uniquely identity the resource. If passed in, the prompt uri will be cached against this resourceId as a key. + * Optional, used to uniquely identity the resource. If passed the prompt uri will be cached against this resourceId as key. * * @param string $val The value of the resourceId * @@ -53,7 +53,7 @@ public function setResourceId($val) } /** * Gets the uri - * Path to the prompt that will be played. Currently supports only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate. + * Path to the prompt to be played. Currently only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate is only supported. * * @return string|null The uri */ @@ -68,7 +68,7 @@ public function getUri() /** * Sets the uri - * Path to the prompt that will be played. Currently supports only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate. + * Path to the prompt to be played. Currently only Wave file (.wav) format, single-channel, 16-bit samples with a 16,000 (16KHz) sampling rate is only supported. * * @param string $val The value of the uri * diff --git a/src/Model/MediaPrompt.php b/src/Model/MediaPrompt.php index d4782a2c54f..6e8bf990ee7 100644 --- a/src/Model/MediaPrompt.php +++ b/src/Model/MediaPrompt.php @@ -26,7 +26,7 @@ class MediaPrompt extends Prompt /** * Gets the mediaInfo - * The media information + * The media information. * * @return MediaInfo|null The mediaInfo */ @@ -45,7 +45,7 @@ public function getMediaInfo() /** * Sets the mediaInfo - * The media information + * The media information. * * @param MediaInfo $val The value to assign to the mediaInfo * diff --git a/src/Model/MediaStream.php b/src/Model/MediaStream.php index 3e8ab470f05..ce0a042bac3 100644 --- a/src/Model/MediaStream.php +++ b/src/Model/MediaStream.php @@ -119,7 +119,7 @@ public function setMediaType($val) } /** * Gets the serverMuted - * If the media is muted by the server. + * Indicates whether the media is muted by the server. * * @return bool|null The serverMuted */ @@ -134,7 +134,7 @@ public function getServerMuted() /** * Sets the serverMuted - * If the media is muted by the server. + * Indicates whether the media is muted by the server. * * @param bool $val The value of the serverMuted * diff --git a/src/Model/MeetingParticipantInfo.php b/src/Model/MeetingParticipantInfo.php index bc04cd415fb..126d50b470f 100644 --- a/src/Model/MeetingParticipantInfo.php +++ b/src/Model/MeetingParticipantInfo.php @@ -59,7 +59,7 @@ public function setIdentity($val) /** * Gets the role - * Specifies the participant's role in the meeting. Possible values are attendee, presenter, and unknownFutureValue. + * Specifies the participant's role in the meeting. Possible values are attendee, presenter, producer, and unknownFutureValue. * * @return OnlineMeetingRole|null The role */ @@ -78,7 +78,7 @@ public function getRole() /** * Sets the role - * Specifies the participant's role in the meeting. Possible values are attendee, presenter, and unknownFutureValue. + * Specifies the participant's role in the meeting. Possible values are attendee, presenter, producer, and unknownFutureValue. * * @param OnlineMeetingRole $val The value to assign to the role * diff --git a/src/Model/MeetingTimeSuggestion.php b/src/Model/MeetingTimeSuggestion.php index 97938451a25..a6bd9b470d1 100644 --- a/src/Model/MeetingTimeSuggestion.php +++ b/src/Model/MeetingTimeSuggestion.php @@ -181,7 +181,7 @@ public function setOrder($val) /** * Gets the organizerAvailability - * Availability of the meeting organizer for this meeting suggestion. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * Availability of the meeting organizer for this meeting suggestion. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @return FreeBusyStatus|null The organizerAvailability */ @@ -200,7 +200,7 @@ public function getOrganizerAvailability() /** * Sets the organizerAvailability - * Availability of the meeting organizer for this meeting suggestion. The possible values are: free, tentative, busy, oof, workingElsewhere, unknown. + * Availability of the meeting organizer for this meeting suggestion. Possible values are: free, tentative, busy, oof, workingElsewhere, unknown. * * @param FreeBusyStatus $val The value to assign to the organizerAvailability * diff --git a/src/Model/MeetingTimeSuggestionsResult.php b/src/Model/MeetingTimeSuggestionsResult.php index 7764d31e78c..221c992f8ff 100644 --- a/src/Model/MeetingTimeSuggestionsResult.php +++ b/src/Model/MeetingTimeSuggestionsResult.php @@ -25,7 +25,7 @@ class MeetingTimeSuggestionsResult extends Entity { /** * Gets the emptySuggestionsReason - * A reason for not returning any meeting suggestions. The possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. + * A reason for not returning any meeting suggestions. Possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. * * @return string|null The emptySuggestionsReason */ @@ -40,7 +40,7 @@ public function getEmptySuggestionsReason() /** * Sets the emptySuggestionsReason - * A reason for not returning any meeting suggestions. The possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. + * A reason for not returning any meeting suggestions. Possible values are: attendeesUnavailable, attendeesUnavailableOrUnknown, locationsUnavailable, organizerUnavailable, or unknown. This property is an empty string if the meetingTimeSuggestions property does include any meeting suggestions. * * @param string $val The value of the emptySuggestionsReason * diff --git a/src/Model/Message.php b/src/Model/Message.php index ffa2e98299b..f01baf7e7eb 100644 --- a/src/Model/Message.php +++ b/src/Model/Message.php @@ -89,7 +89,7 @@ public function setBody($val) /** * Gets the bodyPreview - * The first 255 characters of the message body. It is in text format. + * The first 255 characters of the message body. It is in text format. If the message contains instances of mention, this property would contain a concatenation of these mentions as well. * * @return string|null The bodyPreview */ @@ -104,7 +104,7 @@ public function getBodyPreview() /** * Sets the bodyPreview - * The first 255 characters of the message body. It is in text format. + * The first 255 characters of the message body. It is in text format. If the message contains instances of mention, this property would contain a concatenation of these mentions as well. * * @param string $val The bodyPreview * diff --git a/src/Model/MessageRuleActions.php b/src/Model/MessageRuleActions.php index 9a0e2d18b94..e10abb02997 100644 --- a/src/Model/MessageRuleActions.php +++ b/src/Model/MessageRuleActions.php @@ -293,7 +293,7 @@ public function setPermanentDelete($val) /** * Gets the redirectTo - * The email addresses to which a message should be redirected. + * The email address to which a message should be redirected. * * @return Recipient|null The redirectTo */ @@ -312,7 +312,7 @@ public function getRedirectTo() /** * Sets the redirectTo - * The email addresses to which a message should be redirected. + * The email address to which a message should be redirected. * * @param Recipient $val The value to assign to the redirectTo * diff --git a/src/Model/ModifiedProperty.php b/src/Model/ModifiedProperty.php index 69bcc8a6bdf..13167467a62 100644 --- a/src/Model/ModifiedProperty.php +++ b/src/Model/ModifiedProperty.php @@ -25,7 +25,7 @@ class ModifiedProperty extends Entity { /** * Gets the displayName - * Indicates the property name of the target attribute that was changed. + * Name of property that was modified. * * @return string|null The displayName */ @@ -40,7 +40,7 @@ public function getDisplayName() /** * Sets the displayName - * Indicates the property name of the target attribute that was changed. + * Name of property that was modified. * * @param string $val The value of the displayName * @@ -53,7 +53,7 @@ public function setDisplayName($val) } /** * Gets the newValue - * Indicates the updated value for the propery. + * New property value. * * @return string|null The newValue */ @@ -68,7 +68,7 @@ public function getNewValue() /** * Sets the newValue - * Indicates the updated value for the propery. + * New property value. * * @param string $val The value of the newValue * @@ -81,7 +81,7 @@ public function setNewValue($val) } /** * Gets the oldValue - * Indicates the previous value (before the update) for the property. + * Old property value. * * @return string|null The oldValue */ @@ -96,7 +96,7 @@ public function getOldValue() /** * Sets the oldValue - * Indicates the previous value (before the update) for the property. + * Old property value. * * @param string $val The value of the oldValue * diff --git a/src/Model/NetworkConnection.php b/src/Model/NetworkConnection.php index d123d6d068a..b61448473c9 100644 --- a/src/Model/NetworkConnection.php +++ b/src/Model/NetworkConnection.php @@ -25,7 +25,7 @@ class NetworkConnection extends Entity { /** * Gets the applicationName - * Name of the application managing the network connection (for example, Facebook or SMTP). + * Name of the application managing the network connection (for example, Facebook, SMTP, etc.). * * @return string|null The applicationName */ @@ -40,7 +40,7 @@ public function getApplicationName() /** * Sets the applicationName - * Name of the application managing the network connection (for example, Facebook or SMTP). + * Name of the application managing the network connection (for example, Facebook, SMTP, etc.). * * @param string $val The value of the applicationName * diff --git a/src/Model/NotificationMessageTemplate.php b/src/Model/NotificationMessageTemplate.php index 14bce868f91..8d2042f9d4e 100644 --- a/src/Model/NotificationMessageTemplate.php +++ b/src/Model/NotificationMessageTemplate.php @@ -26,7 +26,7 @@ class NotificationMessageTemplate extends Entity { /** * Gets the brandingOptions - * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation. + * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation, includeCompanyPortalLink. * * @return NotificationTemplateBrandingOptions|null The brandingOptions */ @@ -45,7 +45,7 @@ public function getBrandingOptions() /** * Sets the brandingOptions - * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation. + * The Message Template Branding Options. Branding is defined in the Intune Admin Console. Possible values are: none, includeCompanyLogo, includeCompanyName, includeContactInformation, includeCompanyPortalLink. * * @param NotificationTemplateBrandingOptions $val The brandingOptions * diff --git a/src/Model/OfferShiftRequest.php b/src/Model/OfferShiftRequest.php index 46579e6b35e..fae03def095 100644 --- a/src/Model/OfferShiftRequest.php +++ b/src/Model/OfferShiftRequest.php @@ -88,7 +88,7 @@ public function setRecipientActionMessage($val) /** * Gets the recipientUserId - * User ID of the recipient of the offer shift request. + * User id of the recipient of the offer shift request. * * @return string|null The recipientUserId */ @@ -103,7 +103,7 @@ public function getRecipientUserId() /** * Sets the recipientUserId - * User ID of the recipient of the offer shift request. + * User id of the recipient of the offer shift request. * * @param string $val The recipientUserId * @@ -117,7 +117,7 @@ public function setRecipientUserId($val) /** * Gets the senderShiftId - * User ID of the sender of the offer shift request. + * User id of the sender of the offer shift request. * * @return string|null The senderShiftId */ @@ -132,7 +132,7 @@ public function getSenderShiftId() /** * Sets the senderShiftId - * User ID of the sender of the offer shift request. + * User id of the sender of the offer shift request. * * @param string $val The senderShiftId * diff --git a/src/Model/OfficeGraphInsights.php b/src/Model/OfficeGraphInsights.php index f0e862b79ce..4660811b1de 100644 --- a/src/Model/OfficeGraphInsights.php +++ b/src/Model/OfficeGraphInsights.php @@ -27,7 +27,7 @@ class OfficeGraphInsights extends Entity /** * Gets the shared - * Calculated relationship identifying documents shared with or by the user. This includes URLs, file attachments, and reference attachments to OneDrive for Business and SharePoint files found in Outlook messages and meetings. This also includes URLs and reference attachments to Teams conversations. Ordered by recency of share. + * Access this property from the derived type itemInsights. * * @return array|null The shared */ @@ -42,7 +42,7 @@ public function getShared() /** * Sets the shared - * Calculated relationship identifying documents shared with or by the user. This includes URLs, file attachments, and reference attachments to OneDrive for Business and SharePoint files found in Outlook messages and meetings. This also includes URLs and reference attachments to Teams conversations. Ordered by recency of share. + * Access this property from the derived type itemInsights. * * @param SharedInsight $val The shared * @@ -57,7 +57,7 @@ public function setShared($val) /** * Gets the trending - * Calculated relationship identifying documents trending around a user. Trending documents are calculated based on activity of the user's closest network of people and include files stored in OneDrive for Business and SharePoint. Trending insights help the user to discover potentially useful content that the user has access to, but has never viewed before. + * Access this property from the derived type itemInsights. * * @return array|null The trending */ @@ -72,7 +72,7 @@ public function getTrending() /** * Sets the trending - * Calculated relationship identifying documents trending around a user. Trending documents are calculated based on activity of the user's closest network of people and include files stored in OneDrive for Business and SharePoint. Trending insights help the user to discover potentially useful content that the user has access to, but has never viewed before. + * Access this property from the derived type itemInsights. * * @param Trending $val The trending * @@ -87,7 +87,7 @@ public function setTrending($val) /** * Gets the used - * Calculated relationship identifying the latest documents viewed or modified by a user, including OneDrive for Business and SharePoint documents, ranked by recency of use. + * Access this property from the derived type itemInsights. * * @return array|null The used */ @@ -102,7 +102,7 @@ public function getUsed() /** * Sets the used - * Calculated relationship identifying the latest documents viewed or modified by a user, including OneDrive for Business and SharePoint documents, ranked by recency of use. + * Access this property from the derived type itemInsights. * * @param UsedInsight $val The used * diff --git a/src/Model/OmaSettingBase64.php b/src/Model/OmaSettingBase64.php index 59be64753e0..dd31f380c9a 100644 --- a/src/Model/OmaSettingBase64.php +++ b/src/Model/OmaSettingBase64.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the fileName - * File name associated with the Value property (.cer | .crt | .p7b | .bin). + * File name associated with the Value property (.cer * * @return string|null The fileName */ @@ -49,7 +49,7 @@ public function getFileName() /** * Sets the fileName - * File name associated with the Value property (.cer | .crt | .p7b | .bin). + * File name associated with the Value property (.cer * * @param string $val The value of the fileName * diff --git a/src/Model/OnenotePatchContentCommand.php b/src/Model/OnenotePatchContentCommand.php index 6659fa53954..ff1dd83387f 100644 --- a/src/Model/OnenotePatchContentCommand.php +++ b/src/Model/OnenotePatchContentCommand.php @@ -26,7 +26,7 @@ class OnenotePatchContentCommand extends Entity /** * Gets the action - * The action to perform on the target element. The possible values are: replace, append, delete, insert, or prepend. + * The action to perform on the target element. Possible values are: replace, append, delete, insert, or prepend. * * @return OnenotePatchActionType|null The action */ @@ -45,7 +45,7 @@ public function getAction() /** * Sets the action - * The action to perform on the target element. The possible values are: replace, append, delete, insert, or prepend. + * The action to perform on the target element. Possible values are: replace, append, delete, insert, or prepend. * * @param OnenotePatchActionType $val The value to assign to the action * @@ -87,7 +87,7 @@ public function setContent($val) /** * Gets the position - * The location to add the supplied content, relative to the target element. The possible values are: after (default) or before. + * The location to add the supplied content, relative to the target element. Possible values are: after (default) or before. * * @return OnenotePatchInsertPosition|null The position */ @@ -106,7 +106,7 @@ public function getPosition() /** * Sets the position - * The location to add the supplied content, relative to the target element. The possible values are: after (default) or before. + * The location to add the supplied content, relative to the target element. Possible values are: after (default) or before. * * @param OnenotePatchInsertPosition $val The value to assign to the position * @@ -119,7 +119,7 @@ public function setPosition($val) } /** * Gets the target - * The element to update. Must be the #&lt;data-id&gt; or the generated &lt;id&gt; of the element, or the body or title keyword. + * The element to update. Must be the #&lt;data-id&gt; or the generated {id} of the element, or the body or title keyword. * * @return string|null The target */ @@ -134,7 +134,7 @@ public function getTarget() /** * Sets the target - * The element to update. Must be the #&lt;data-id&gt; or the generated &lt;id&gt; of the element, or the body or title keyword. + * The element to update. Must be the #&lt;data-id&gt; or the generated {id} of the element, or the body or title keyword. * * @param string $val The value of the target * diff --git a/src/Model/OnlineMeeting.php b/src/Model/OnlineMeeting.php index cdd853c3a01..f25ebc8a07b 100644 --- a/src/Model/OnlineMeeting.php +++ b/src/Model/OnlineMeeting.php @@ -26,7 +26,7 @@ class OnlineMeeting extends Entity { /** * Gets the allowedPresenters - * Specifies who can be a presenter in a meeting. Possible values are listed in the following table. + * Specifies who can be a presenter in a meeting. Possible values are everyone, organization, roleIsPresenter, organizer, and unknownFutureValue. * * @return OnlineMeetingPresenters|null The allowedPresenters */ @@ -45,7 +45,7 @@ public function getAllowedPresenters() /** * Sets the allowedPresenters - * Specifies who can be a presenter in a meeting. Possible values are listed in the following table. + * Specifies who can be a presenter in a meeting. Possible values are everyone, organization, roleIsPresenter, organizer, and unknownFutureValue. * * @param OnlineMeetingPresenters $val The allowedPresenters * @@ -249,7 +249,7 @@ public function setIsEntryExitAnnounced($val) /** * Gets the joinInformation - * The join information in the language and locale variant specified in the Accept-Language request HTTP header. Read-only. + * The join information in the language and locale variant specified in 'Accept-Language' request HTTP header. Read-only * * @return ItemBody|null The joinInformation */ @@ -268,7 +268,7 @@ public function getJoinInformation() /** * Sets the joinInformation - * The join information in the language and locale variant specified in the Accept-Language request HTTP header. Read-only. + * The join information in the language and locale variant specified in 'Accept-Language' request HTTP header. Read-only * * @param ItemBody $val The joinInformation * @@ -311,7 +311,7 @@ public function setJoinWebUrl($val) /** * Gets the lobbyBypassSettings - * Specifies which participants can bypass the meeting lobby. + * Specifies which participants can bypass the meeting lobby. * * @return LobbyBypassSettings|null The lobbyBypassSettings */ @@ -330,7 +330,7 @@ public function getLobbyBypassSettings() /** * Sets the lobbyBypassSettings - * Specifies which participants can bypass the meeting lobby. + * Specifies which participants can bypass the meeting lobby. * * @param LobbyBypassSettings $val The lobbyBypassSettings * @@ -344,7 +344,7 @@ public function setLobbyBypassSettings($val) /** * Gets the participants - * The participants associated with the online meeting. This includes the organizer and the attendees. + * The participants associated with the online meeting. This includes the organizer and the attendees. * * @return MeetingParticipants|null The participants */ @@ -363,7 +363,7 @@ public function getParticipants() /** * Sets the participants - * The participants associated with the online meeting. This includes the organizer and the attendees. + * The participants associated with the online meeting. This includes the organizer and the attendees. * * @param MeetingParticipants $val The participants * diff --git a/src/Model/OpenTypeExtension.php b/src/Model/OpenTypeExtension.php index 5f7a832e3f0..e7ec15822bb 100644 --- a/src/Model/OpenTypeExtension.php +++ b/src/Model/OpenTypeExtension.php @@ -26,7 +26,7 @@ class OpenTypeExtension extends Extension { /** * Gets the extensionName - * A unique text identifier for an open type open extension. Required. + * A unique text identifier for an open type data extension. Required. * * @return string|null The extensionName */ @@ -41,7 +41,7 @@ public function getExtensionName() /** * Sets the extensionName - * A unique text identifier for an open type open extension. Required. + * A unique text identifier for an open type data extension. Required. * * @param string $val The extensionName * diff --git a/src/Model/Operation.php b/src/Model/Operation.php index 3d9aebbf2cf..3deecd235f4 100644 --- a/src/Model/Operation.php +++ b/src/Model/Operation.php @@ -92,7 +92,7 @@ public function setLastActionDateTime($val) /** * Gets the status - * The current status of the operation: notStarted, running, completed, failed + * Possible values are: notStarted, running, completed, failed. Read-only. * * @return OperationStatus|null The status */ @@ -111,7 +111,7 @@ public function getStatus() /** * Sets the status - * The current status of the operation: notStarted, running, completed, failed + * Possible values are: notStarted, running, completed, failed. Read-only. * * @param OperationStatus $val The status * diff --git a/src/Model/Organization.php b/src/Model/Organization.php index d4d03aaac22..de402944214 100644 --- a/src/Model/Organization.php +++ b/src/Model/Organization.php @@ -263,7 +263,7 @@ public function setMarketingNotificationEmails($val) /** * Gets the onPremisesLastSyncDateTime - * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @return \DateTime|null The onPremisesLastSyncDateTime */ @@ -282,7 +282,7 @@ public function getOnPremisesLastSyncDateTime() /** * Sets the onPremisesLastSyncDateTime - * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * The time and date at which the tenant was last synced with the on-premise directory. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @param \DateTime $val The onPremisesLastSyncDateTime * @@ -296,7 +296,7 @@ public function setOnPremisesLastSyncDateTime($val) /** * Gets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced. Nullable. null if this object has never been synced from an on-premises directory (default). + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; Nullable. null if this object has never been synced from an on-premises directory (default). * * @return bool|null The onPremisesSyncEnabled */ @@ -311,7 +311,7 @@ public function getOnPremisesSyncEnabled() /** * Sets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced. Nullable. null if this object has never been synced from an on-premises directory (default). + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; Nullable. null if this object has never been synced from an on-premises directory (default). * * @param bool $val The onPremisesSyncEnabled * @@ -709,7 +709,7 @@ public function setBranding($val) /** * Gets the certificateBasedAuthConfiguration - * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. + * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. * * @return array|null The certificateBasedAuthConfiguration */ @@ -724,7 +724,7 @@ public function getCertificateBasedAuthConfiguration() /** * Sets the certificateBasedAuthConfiguration - * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. + * Navigation property to manage certificate-based authentication configuration. Only a single instance of certificateBasedAuthConfiguration can be created in the collection. * * @param CertificateBasedAuthConfiguration $val The certificateBasedAuthConfiguration * @@ -739,7 +739,7 @@ public function setCertificateBasedAuthConfiguration($val) /** * Gets the extensions - * The collection of open extensions defined for the organization. Read-only. Nullable. + * The collection of open extensions defined for the organization resource. Nullable. * * @return array|null The extensions */ @@ -754,7 +754,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the organization. Read-only. Nullable. + * The collection of open extensions defined for the organization resource. Nullable. * * @param Extension $val The extensions * diff --git a/src/Model/Participant.php b/src/Model/Participant.php index 6d0caa8e8f0..2b26c3efe80 100644 --- a/src/Model/Participant.php +++ b/src/Model/Participant.php @@ -147,7 +147,7 @@ public function setMediaStreams($val) /** * Gets the recordingInfo - * Information about whether the participant has recording capability. + * Information on whether the participant has recording capability. * * @return RecordingInfo|null The recordingInfo */ @@ -166,7 +166,7 @@ public function getRecordingInfo() /** * Sets the recordingInfo - * Information about whether the participant has recording capability. + * Information on whether the participant has recording capability. * * @param RecordingInfo $val The recordingInfo * diff --git a/src/Model/ParticipantInfo.php b/src/Model/ParticipantInfo.php index b5549444971..fea83af195a 100644 --- a/src/Model/ParticipantInfo.php +++ b/src/Model/ParticipantInfo.php @@ -147,7 +147,7 @@ public function setLanguageId($val) } /** * Gets the region - * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location. Read-only. + * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location, unlike countryCode. Read-only. * * @return string|null The region */ @@ -162,7 +162,7 @@ public function getRegion() /** * Sets the region - * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location. Read-only. + * The home region of the participant. This can be a country, a continent, or a larger geographic region. This does not change based on the participant's current physical location, unlike countryCode. Read-only. * * @param string $val The value of the region * diff --git a/src/Model/PasswordProfile.php b/src/Model/PasswordProfile.php index c85053cb24c..5b8f275c5bb 100644 --- a/src/Model/PasswordProfile.php +++ b/src/Model/PasswordProfile.php @@ -25,7 +25,7 @@ class PasswordProfile extends Entity { /** * Gets the forceChangePasswordNextSignIn - * true if the user must change her password on the next login; otherwise false. + * If true, at next sign-in, the user must change their password. After a password change, this property will be automatically reset to false. If not set, default is false. * * @return bool|null The forceChangePasswordNextSignIn */ @@ -40,7 +40,7 @@ public function getForceChangePasswordNextSignIn() /** * Sets the forceChangePasswordNextSignIn - * true if the user must change her password on the next login; otherwise false. + * If true, at next sign-in, the user must change their password. After a password change, this property will be automatically reset to false. If not set, default is false. * * @param bool $val The value of the forceChangePasswordNextSignIn * diff --git a/src/Model/Permission.php b/src/Model/Permission.php index 4e8e81f080b..05dd0501eec 100644 --- a/src/Model/Permission.php +++ b/src/Model/Permission.php @@ -279,7 +279,7 @@ public function setRoles($val) /** * Gets the shareId - * A unique token that can be used to access this shared item via the **shares** API. Read-only. + * A unique token that can be used to access this shared item via the [shares API][]. Read-only. * * @return string|null The shareId */ @@ -294,7 +294,7 @@ public function getShareId() /** * Sets the shareId - * A unique token that can be used to access this shared item via the **shares** API. Read-only. + * A unique token that can be used to access this shared item via the [shares API][]. Read-only. * * @param string $val The shareId * diff --git a/src/Model/PermissionGrantConditionSet.php b/src/Model/PermissionGrantConditionSet.php index 40346ea6cbb..0bddd1677ee 100644 --- a/src/Model/PermissionGrantConditionSet.php +++ b/src/Model/PermissionGrantConditionSet.php @@ -171,7 +171,7 @@ public function setPermissionClassification($val) /** * Gets the permissions - * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the oauth2PermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. + * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the publishedPermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. * * @return string|null The permissions */ @@ -186,7 +186,7 @@ public function getPermissions() /** * Sets the permissions - * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the oauth2PermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. + * The list of id values for the specific permissions to match with, or a list with the single value all to match with any permission. The id of delegated permissions can be found in the publishedPermissionScopes property of the API's **servicePrincipal** object. The id of application permissions can be found in the appRoles property of the API's **servicePrincipal** object. The id of resource-specific application permissions can be found in the resourceSpecificApplicationPermissions property of the API's **servicePrincipal** object. Default is the single value all. * * @param string $val The permissions * diff --git a/src/Model/Person.php b/src/Model/Person.php index 04fe1e4266d..da9482c1344 100644 --- a/src/Model/Person.php +++ b/src/Model/Person.php @@ -316,7 +316,7 @@ public function setPersonNotes($val) /** * Gets the personType - * The type of person. + * The type of person, for example distribution list. * * @return PersonType|null The personType */ @@ -335,7 +335,7 @@ public function getPersonType() /** * Sets the personType - * The type of person. + * The type of person, for example distribution list. * * @param PersonType $val The personType * diff --git a/src/Model/Phone.php b/src/Model/Phone.php index fd46c5e5710..80a5bbfc012 100644 --- a/src/Model/Phone.php +++ b/src/Model/Phone.php @@ -106,7 +106,7 @@ public function setRegion($val) /** * Gets the type - * The type of phone number. The possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. + * The type of phone number. Possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. * * @return PhoneType|null The type */ @@ -125,7 +125,7 @@ public function getType() /** * Sets the type - * The type of phone number. The possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. + * The type of phone number. Possible values are: home, business, mobile, other, assistant, homeFax, businessFax, otherFax, pager, radio. * * @param PhoneType $val The value to assign to the type * diff --git a/src/Model/Photo.php b/src/Model/Photo.php index 53c74e04aca..475697e434f 100644 --- a/src/Model/Photo.php +++ b/src/Model/Photo.php @@ -250,7 +250,7 @@ public function setOrientation($val) /** * Gets the takenDateTime - * Represents the date and time the photo was taken. Read-only. + * The date and time the photo was taken in UTC time. Read-only. * * @return \DateTime|null The takenDateTime */ @@ -269,7 +269,7 @@ public function getTakenDateTime() /** * Sets the takenDateTime - * Represents the date and time the photo was taken. Read-only. + * The date and time the photo was taken in UTC time. Read-only. * * @param \DateTime $val The value to assign to the takenDateTime * diff --git a/src/Model/Pkcs12Certificate.php b/src/Model/Pkcs12Certificate.php index 58fbd67fd80..813720c86d0 100644 --- a/src/Model/Pkcs12Certificate.php +++ b/src/Model/Pkcs12Certificate.php @@ -34,7 +34,7 @@ public function __construct() /** * Gets the password - * The password for the pfx file. Required. If no password is used, you must still provide a value of ''. + * This is the password for the pfx file. Required. If no password is used, must still provide a value of ''. * * @return string|null The password */ @@ -49,7 +49,7 @@ public function getPassword() /** * Sets the password - * The password for the pfx file. Required. If no password is used, you must still provide a value of ''. + * This is the password for the pfx file. Required. If no password is used, must still provide a value of ''. * * @param string $val The value of the password * @@ -62,7 +62,7 @@ public function setPassword($val) } /** * Gets the pkcs12Value - * Represents the pfx content that is sent. The value should be a base-64 encoded version of the actual certificate content. Required. + * This is the field for sending pfx content. The value should be a base-64 encoded version of the actual certificate content. Required. * * @return string|null The pkcs12Value */ @@ -77,7 +77,7 @@ public function getPkcs12Value() /** * Sets the pkcs12Value - * Represents the pfx content that is sent. The value should be a base-64 encoded version of the actual certificate content. Required. + * This is the field for sending pfx content. The value should be a base-64 encoded version of the actual certificate content. Required. * * @param string $val The value of the pkcs12Value * diff --git a/src/Model/PlannerPlan.php b/src/Model/PlannerPlan.php index c75f875c825..82336812f37 100644 --- a/src/Model/PlannerPlan.php +++ b/src/Model/PlannerPlan.php @@ -151,7 +151,7 @@ public function setTitle($val) /** * Gets the buckets - * Read-only. Nullable. Collection of buckets in the plan. + * Collection of buckets in the plan. Read-only. Nullable. * * @return array|null The buckets */ @@ -166,7 +166,7 @@ public function getBuckets() /** * Sets the buckets - * Read-only. Nullable. Collection of buckets in the plan. + * Collection of buckets in the plan. Read-only. Nullable. * * @param PlannerBucket $val The buckets * @@ -180,7 +180,7 @@ public function setBuckets($val) /** * Gets the details - * Read-only. Nullable. Additional details about the plan. + * Additional details about the plan. Read-only. Nullable. * * @return PlannerPlanDetails|null The details */ @@ -199,7 +199,7 @@ public function getDetails() /** * Sets the details - * Read-only. Nullable. Additional details about the plan. + * Additional details about the plan. Read-only. Nullable. * * @param PlannerPlanDetails $val The details * @@ -214,7 +214,7 @@ public function setDetails($val) /** * Gets the tasks - * Read-only. Nullable. Collection of tasks in the plan. + * Collection of tasks in the plan. Read-only. Nullable. * * @return array|null The tasks */ @@ -229,7 +229,7 @@ public function getTasks() /** * Sets the tasks - * Read-only. Nullable. Collection of tasks in the plan. + * Collection of tasks in the plan. Read-only. Nullable. * * @param PlannerTask $val The tasks * diff --git a/src/Model/PlannerPlanDetails.php b/src/Model/PlannerPlanDetails.php index 25eabb3f9a0..2e6dabdd8fc 100644 --- a/src/Model/PlannerPlanDetails.php +++ b/src/Model/PlannerPlanDetails.php @@ -26,7 +26,7 @@ class PlannerPlanDetails extends Entity { /** * Gets the categoryDescriptions - * An object that specifies the descriptions of the six categories that can be associated with tasks in the plan + * An object that specifies the descriptions of the 25 categories that can be associated with tasks in the plan * * @return PlannerCategoryDescriptions|null The categoryDescriptions */ @@ -45,7 +45,7 @@ public function getCategoryDescriptions() /** * Sets the categoryDescriptions - * An object that specifies the descriptions of the six categories that can be associated with tasks in the plan + * An object that specifies the descriptions of the 25 categories that can be associated with tasks in the plan * * @param PlannerCategoryDescriptions $val The categoryDescriptions * @@ -59,7 +59,7 @@ public function setCategoryDescriptions($val) /** * Gets the sharedWith - * Set of user ids that this plan is shared with. If you are leveraging Microsoft 365 groups, use the Groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection though it is not required for them to access the plan owned by the group. + * The set of user IDs that this plan is shared with. If you are using Microsoft 365 groups, use the groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection, although it is not required in order for them to access the plan owned by the group. * * @return PlannerUserIds|null The sharedWith */ @@ -78,7 +78,7 @@ public function getSharedWith() /** * Sets the sharedWith - * Set of user ids that this plan is shared with. If you are leveraging Microsoft 365 groups, use the Groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection though it is not required for them to access the plan owned by the group. + * The set of user IDs that this plan is shared with. If you are using Microsoft 365 groups, use the groups API to manage group membership to share the group's plan. You can also add existing members of the group to this collection, although it is not required in order for them to access the plan owned by the group. * * @param PlannerUserIds $val The sharedWith * diff --git a/src/Model/PlannerTask.php b/src/Model/PlannerTask.php index 82f388cb592..79b2f000468 100644 --- a/src/Model/PlannerTask.php +++ b/src/Model/PlannerTask.php @@ -518,7 +518,7 @@ public function setPlanId($val) /** * Gets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. * * @return PlannerPreviewType|null The previewType */ @@ -537,7 +537,7 @@ public function getPreviewType() /** * Sets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. * * @param PlannerPreviewType $val The previewType * diff --git a/src/Model/PlannerTaskDetails.php b/src/Model/PlannerTaskDetails.php index ec897883f85..17a5145aae7 100644 --- a/src/Model/PlannerTaskDetails.php +++ b/src/Model/PlannerTaskDetails.php @@ -88,7 +88,7 @@ public function setDescription($val) /** * Gets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. * * @return PlannerPreviewType|null The previewType */ @@ -107,7 +107,7 @@ public function getPreviewType() /** * Sets the previewType - * This sets the type of preview that shows up on the task. The possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. + * This sets the type of preview that shows up on the task. Possible values are: automatic, noPreview, checklist, description, reference. When set to automatic the displayed preview is chosen by the app viewing the task. * * @param PlannerPreviewType $val The previewType * diff --git a/src/Model/PlannerUser.php b/src/Model/PlannerUser.php index dae62355153..476a3ba2d27 100644 --- a/src/Model/PlannerUser.php +++ b/src/Model/PlannerUser.php @@ -57,7 +57,7 @@ public function setPlans($val) /** * Gets the tasks - * Read-only. Nullable. Returns the plannerPlans shared with the user. + * Read-only. Nullable. Returns the plannerTasks assigned to the user. * * @return array|null The tasks */ @@ -72,7 +72,7 @@ public function getTasks() /** * Sets the tasks - * Read-only. Nullable. Returns the plannerPlans shared with the user. + * Read-only. Nullable. Returns the plannerTasks assigned to the user. * * @param PlannerTask $val The tasks * diff --git a/src/Model/Post.php b/src/Model/Post.php index f676a005aba..451e86b28bd 100644 --- a/src/Model/Post.php +++ b/src/Model/Post.php @@ -276,7 +276,7 @@ public function setSender($val) /** * Gets the attachments - * Read-only. Nullable. + * The collection of fileAttachment, itemAttachment, and referenceAttachment attachments for the post. Read-only. Nullable. * * @return array|null The attachments */ @@ -291,7 +291,7 @@ public function getAttachments() /** * Sets the attachments - * Read-only. Nullable. + * The collection of fileAttachment, itemAttachment, and referenceAttachment attachments for the post. Read-only. Nullable. * * @param Attachment $val The attachments * @@ -335,7 +335,7 @@ public function setExtensions($val) /** * Gets the inReplyTo - * Read-only. + * The earlier post that this post is replying to in the conversationThread. Read-only. * * @return Post|null The inReplyTo */ @@ -354,7 +354,7 @@ public function getInReplyTo() /** * Sets the inReplyTo - * Read-only. + * The earlier post that this post is replying to in the conversationThread. Read-only. * * @param Post $val The inReplyTo * diff --git a/src/Model/Presence.php b/src/Model/Presence.php index 89e8b50a65e..1742e98b8fc 100644 --- a/src/Model/Presence.php +++ b/src/Model/Presence.php @@ -26,7 +26,7 @@ class Presence extends Entity { /** * Gets the activity - * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive, InAMeeting, Offline, OffWork, OutOfOffice, PresenceUnknown, Presenting, UrgentInterruptionsOnly. + * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive,InAMeeting, Offline, OffWork,OutOfOffice, PresenceUnknown,Presenting, UrgentInterruptionsOnly. * * @return string|null The activity */ @@ -41,7 +41,7 @@ public function getActivity() /** * Sets the activity - * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive, InAMeeting, Offline, OffWork, OutOfOffice, PresenceUnknown, Presenting, UrgentInterruptionsOnly. + * The supplemental information to a user's availability. Possible values are Available, Away, BeRightBack, Busy, DoNotDisturb, InACall, InAConferenceCall, Inactive,InAMeeting, Offline, OffWork,OutOfOffice, PresenceUnknown,Presenting, UrgentInterruptionsOnly. * * @param string $val The activity * diff --git a/src/Model/PrintJobConfiguration.php b/src/Model/PrintJobConfiguration.php index 4770f66365f..7601b4591a1 100644 --- a/src/Model/PrintJobConfiguration.php +++ b/src/Model/PrintJobConfiguration.php @@ -328,7 +328,7 @@ public function setMargin($val) } /** * Gets the mediaSize - * The media size to use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values listed in the printerCapabilities topic. + * The media sizeto use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values are listed in the printerCapabilities topic. * * @return string|null The mediaSize */ @@ -343,7 +343,7 @@ public function getMediaSize() /** * Sets the mediaSize - * The media size to use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values listed in the printerCapabilities topic. + * The media sizeto use when printing. Supports standard size names for ISO and ANSI media sizes. Valid values are listed in the printerCapabilities topic. * * @param string $val The value of the mediaSize * diff --git a/src/Model/PrintTask.php b/src/Model/PrintTask.php index 7b266ea3da0..34ea9408dbd 100644 --- a/src/Model/PrintTask.php +++ b/src/Model/PrintTask.php @@ -26,7 +26,7 @@ class PrintTask extends Entity { /** * Gets the parentUrl - * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/v1.0/print/printers/{printerId}/jobs/{jobId}. Read-only. + * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/beta/print/printers/{printerId}/jobs/{jobId}. Read-only. * * @return string|null The parentUrl */ @@ -41,7 +41,7 @@ public function getParentUrl() /** * Sets the parentUrl - * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/v1.0/print/printers/{printerId}/jobs/{jobId}. Read-only. + * The URL for the print entity that triggered this task. For example, https://graph.microsoft.com/beta/print/printers/{printerId}/jobs/{jobId}. Read-only. * * @param string $val The parentUrl * diff --git a/src/Model/ProvisioningErrorInfo.php b/src/Model/ProvisioningErrorInfo.php index 9c3f83554f9..f80692e608b 100644 --- a/src/Model/ProvisioningErrorInfo.php +++ b/src/Model/ProvisioningErrorInfo.php @@ -25,6 +25,7 @@ class ProvisioningErrorInfo extends Entity { /** * Gets the additionalDetails + * Additional details in case of error. * * @return string|null The additionalDetails */ @@ -39,6 +40,7 @@ public function getAdditionalDetails() /** * Sets the additionalDetails + * Additional details in case of error. * * @param string $val The value of the additionalDetails * @@ -52,6 +54,7 @@ public function setAdditionalDetails($val) /** * Gets the errorCategory + * Categorizes the error code. Possible values are failure, nonServiceFailure, success, unknownFutureValue * * @return ProvisioningStatusErrorCategory|null The errorCategory */ @@ -70,6 +73,7 @@ public function getErrorCategory() /** * Sets the errorCategory + * Categorizes the error code. Possible values are failure, nonServiceFailure, success, unknownFutureValue * * @param ProvisioningStatusErrorCategory $val The value to assign to the errorCategory * @@ -82,6 +86,7 @@ public function setErrorCategory($val) } /** * Gets the errorCode + * Unique error code if any occurred. Learn more * * @return string|null The errorCode */ @@ -96,6 +101,7 @@ public function getErrorCode() /** * Sets the errorCode + * Unique error code if any occurred. Learn more * * @param string $val The value of the errorCode * @@ -108,6 +114,7 @@ public function setErrorCode($val) } /** * Gets the reason + * Summarizes the status and describes why the status happened. * * @return string|null The reason */ @@ -122,6 +129,7 @@ public function getReason() /** * Sets the reason + * Summarizes the status and describes why the status happened. * * @param string $val The value of the reason * @@ -134,6 +142,7 @@ public function setReason($val) } /** * Gets the recommendedAction + * Provides the resolution for the corresponding error. * * @return string|null The recommendedAction */ @@ -148,6 +157,7 @@ public function getRecommendedAction() /** * Sets the recommendedAction + * Provides the resolution for the corresponding error. * * @param string $val The value of the recommendedAction * diff --git a/src/Model/ProvisioningObjectSummary.php b/src/Model/ProvisioningObjectSummary.php index 004a1cb969f..79c540fbed9 100644 --- a/src/Model/ProvisioningObjectSummary.php +++ b/src/Model/ProvisioningObjectSummary.php @@ -238,6 +238,7 @@ public function setModifiedProperties($val) /** * Gets the provisioningAction + * Indicates the activity name or the operation name. Possible values are: create, update, delete, stageddelete, disable, other and unknownFutureValue. For a list of activities logged, refer to Azure AD activity list. * * @return ProvisioningAction|null The provisioningAction */ @@ -256,6 +257,7 @@ public function getProvisioningAction() /** * Sets the provisioningAction + * Indicates the activity name or the operation name. Possible values are: create, update, delete, stageddelete, disable, other and unknownFutureValue. For a list of activities logged, refer to Azure AD activity list. * * @param ProvisioningAction $val The provisioningAction * @@ -269,6 +271,7 @@ public function setProvisioningAction($val) /** * Gets the provisioningStatusInfo + * Details of provisioning status. * * @return ProvisioningStatusInfo|null The provisioningStatusInfo */ @@ -287,6 +290,7 @@ public function getProvisioningStatusInfo() /** * Sets the provisioningStatusInfo + * Details of provisioning status. * * @param ProvisioningStatusInfo $val The provisioningStatusInfo * diff --git a/src/Model/ProvisioningStatusInfo.php b/src/Model/ProvisioningStatusInfo.php index 90f4d24f185..59890008930 100644 --- a/src/Model/ProvisioningStatusInfo.php +++ b/src/Model/ProvisioningStatusInfo.php @@ -57,6 +57,7 @@ public function setErrorInformation($val) /** * Gets the status + * Possible values are: success, warning, failure, skipped, unknownFutureValue. * * @return ProvisioningResult|null The status */ @@ -75,6 +76,7 @@ public function getStatus() /** * Sets the status + * Possible values are: success, warning, failure, skipped, unknownFutureValue. * * @param ProvisioningResult $val The value to assign to the status * diff --git a/src/Model/ProvisioningSystem.php b/src/Model/ProvisioningSystem.php index 0588b7f4620..021da138a42 100644 --- a/src/Model/ProvisioningSystem.php +++ b/src/Model/ProvisioningSystem.php @@ -26,6 +26,7 @@ class ProvisioningSystem extends Identity /** * Gets the details + * Details of the system. * * @return DetailsInfo|null The details */ @@ -44,6 +45,7 @@ public function getDetails() /** * Sets the details + * Details of the system. * * @param DetailsInfo $val The value to assign to the details * diff --git a/src/Model/RecentNotebookLinks.php b/src/Model/RecentNotebookLinks.php index 741504b5e84..6722999f038 100644 --- a/src/Model/RecentNotebookLinks.php +++ b/src/Model/RecentNotebookLinks.php @@ -26,7 +26,7 @@ class RecentNotebookLinks extends Entity /** * Gets the oneNoteClientUrl - * Opens the notebook in the OneNote native client if it's installed. + * Opens the notebook in the OneNote client, if it's installed. * * @return ExternalLink|null The oneNoteClientUrl */ @@ -45,7 +45,7 @@ public function getOneNoteClientUrl() /** * Sets the oneNoteClientUrl - * Opens the notebook in the OneNote native client if it's installed. + * Opens the notebook in the OneNote client, if it's installed. * * @param ExternalLink $val The value to assign to the oneNoteClientUrl * diff --git a/src/Model/RecordingInfo.php b/src/Model/RecordingInfo.php index e464a2996f8..7ac5d9fced1 100644 --- a/src/Model/RecordingInfo.php +++ b/src/Model/RecordingInfo.php @@ -26,7 +26,7 @@ class RecordingInfo extends Entity /** * Gets the initiator - * The identities of the recording initiator. + * The identities of recording initiator. * * @return IdentitySet|null The initiator */ @@ -45,7 +45,7 @@ public function getInitiator() /** * Sets the initiator - * The identities of the recording initiator. + * The identities of recording initiator. * * @param IdentitySet $val The value to assign to the initiator * diff --git a/src/Model/RecurrencePattern.php b/src/Model/RecurrencePattern.php index 29a65fe29fd..2059052cbf1 100644 --- a/src/Model/RecurrencePattern.php +++ b/src/Model/RecurrencePattern.php @@ -54,7 +54,7 @@ public function setDayOfMonth($val) /** * Gets the daysOfWeek - * A collection of the days of the week on which the event occurs. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. + * A collection of the days of the week on which the event occurs. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. * * @return DayOfWeek|null The daysOfWeek */ @@ -73,7 +73,7 @@ public function getDaysOfWeek() /** * Sets the daysOfWeek - * A collection of the days of the week on which the event occurs. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. + * A collection of the days of the week on which the event occurs. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. If type is relativeMonthly or relativeYearly, and daysOfWeek specifies more than one day, the event falls on the first day that satisfies the pattern. Required if type is weekly, relativeMonthly, or relativeYearly. * * @param DayOfWeek $val The value to assign to the daysOfWeek * @@ -87,7 +87,7 @@ public function setDaysOfWeek($val) /** * Gets the firstDayOfWeek - * The first day of the week. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. + * The first day of the week. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. * * @return DayOfWeek|null The firstDayOfWeek */ @@ -106,7 +106,7 @@ public function getFirstDayOfWeek() /** * Sets the firstDayOfWeek - * The first day of the week. The possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. + * The first day of the week. Possible values are: sunday, monday, tuesday, wednesday, thursday, friday, saturday. Default is sunday. Required if type is weekly. * * @param DayOfWeek $val The value to assign to the firstDayOfWeek * @@ -120,7 +120,7 @@ public function setFirstDayOfWeek($val) /** * Gets the index - * Specifies on which instance of the allowed days specified in daysOfWeek the event occurs, counted from the first instance in the month. The possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. + * Specifies on which instance of the allowed days specified in daysOfsWeek the event occurs, counted from the first instance in the month. Possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. * * @return WeekIndex|null The index */ @@ -139,7 +139,7 @@ public function getIndex() /** * Sets the index - * Specifies on which instance of the allowed days specified in daysOfWeek the event occurs, counted from the first instance in the month. The possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. + * Specifies on which instance of the allowed days specified in daysOfsWeek the event occurs, counted from the first instance in the month. Possible values are: first, second, third, fourth, last. Default is first. Optional and used if type is relativeMonthly or relativeYearly. * * @param WeekIndex $val The value to assign to the index * diff --git a/src/Model/RecurrenceRange.php b/src/Model/RecurrenceRange.php index ff61d798eec..ef091c881e3 100644 --- a/src/Model/RecurrenceRange.php +++ b/src/Model/RecurrenceRange.php @@ -148,7 +148,7 @@ public function setStartDate($val) /** * Gets the type - * The recurrence range. The possible values are: endDate, noEnd, numbered. Required. + * The recurrence range. Possible values are: endDate, noEnd, numbered. Required. * * @return RecurrenceRangeType|null The type */ @@ -167,7 +167,7 @@ public function getType() /** * Sets the type - * The recurrence range. The possible values are: endDate, noEnd, numbered. Required. + * The recurrence range. Possible values are: endDate, noEnd, numbered. Required. * * @param RecurrenceRangeType $val The value to assign to the type * diff --git a/src/Model/RemoteAssistancePartner.php b/src/Model/RemoteAssistancePartner.php index 4ea55da96ac..56cd2eafe22 100644 --- a/src/Model/RemoteAssistancePartner.php +++ b/src/Model/RemoteAssistancePartner.php @@ -88,7 +88,7 @@ public function setLastConnectionDateTime($val) /** * Gets the onboardingStatus - * TBD. Possible values are: notOnboarded, onboarding, onboarded. + * A friendly description of the current TeamViewer connector status. Possible values are: notOnboarded, onboarding, onboarded. * * @return RemoteAssistanceOnboardingStatus|null The onboardingStatus */ @@ -107,7 +107,7 @@ public function getOnboardingStatus() /** * Sets the onboardingStatus - * TBD. Possible values are: notOnboarded, onboarding, onboarded. + * A friendly description of the current TeamViewer connector status. Possible values are: notOnboarded, onboarding, onboarded. * * @param RemoteAssistanceOnboardingStatus $val The onboardingStatus * diff --git a/src/Model/Report.php b/src/Model/Report.php index 072c8ea2fe0..3604d6e158c 100644 --- a/src/Model/Report.php +++ b/src/Model/Report.php @@ -26,7 +26,7 @@ class Report extends Entity /** * Gets the content - * Not yet documented + * Report content; details vary by report type. * * @return \GuzzleHttp\Psr7\Stream|null The content */ @@ -45,7 +45,7 @@ public function getContent() /** * Sets the content - * Not yet documented + * Report content; details vary by report type. * * @param \GuzzleHttp\Psr7\Stream $val The value to assign to the content * diff --git a/src/Model/ResourceAction.php b/src/Model/ResourceAction.php index 85d80cd1e53..ceb9f845bec 100644 --- a/src/Model/ResourceAction.php +++ b/src/Model/ResourceAction.php @@ -53,7 +53,7 @@ public function setAllowedResourceActions($val) } /** * Gets the notAllowedResourceActions - * Not Allowed Actions + * Not Allowed Actions. * * @return string|null The notAllowedResourceActions */ @@ -68,7 +68,7 @@ public function getNotAllowedResourceActions() /** * Sets the notAllowedResourceActions - * Not Allowed Actions + * Not Allowed Actions. * * @param string $val The value of the notAllowedResourceActions * diff --git a/src/Model/ResponseStatus.php b/src/Model/ResponseStatus.php index 741618763ef..be24c011f85 100644 --- a/src/Model/ResponseStatus.php +++ b/src/Model/ResponseStatus.php @@ -26,7 +26,7 @@ class ResponseStatus extends Entity /** * Gets the response - * The response type. The possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. + * The response type. Possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. * * @return ResponseType|null The response */ @@ -45,7 +45,7 @@ public function getResponse() /** * Sets the response - * The response type. The possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. + * The response type. Possible values are: None, Organizer, TentativelyAccepted, Accepted, Declined, NotResponded. * * @param ResponseType $val The value to assign to the response * diff --git a/src/Model/RolePermission.php b/src/Model/RolePermission.php index 97d4a02d29f..91cc6612678 100644 --- a/src/Model/RolePermission.php +++ b/src/Model/RolePermission.php @@ -26,7 +26,7 @@ class RolePermission extends Entity /** * Gets the resourceActions - * Actions + * Resource Actions each containing a set of allowed and not allowed permissions. * * @return ResourceAction|null The resourceActions */ @@ -45,7 +45,7 @@ public function getResourceActions() /** * Sets the resourceActions - * Actions + * Resource Actions each containing a set of allowed and not allowed permissions. * * @param ResourceAction $val The value to assign to the resourceActions * diff --git a/src/Model/SchemaExtension.php b/src/Model/SchemaExtension.php index 6b1cda0df9d..56ed49d9da0 100644 --- a/src/Model/SchemaExtension.php +++ b/src/Model/SchemaExtension.php @@ -143,7 +143,7 @@ public function setStatus($val) /** * Gets the targetTypes - * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from contact, device, event, group, message, organization, post, or user. + * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from administrativeUnit, contact, device, event, group, message, organization, post, or user. * * @return string|null The targetTypes */ @@ -158,7 +158,7 @@ public function getTargetTypes() /** * Sets the targetTypes - * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from contact, device, event, group, message, organization, post, or user. + * Set of Microsoft Graph types (that can support extensions) that the schema extension can be applied to. Select from administrativeUnit, contact, device, event, group, message, organization, post, or user. * * @param string $val The targetTypes * diff --git a/src/Model/SecureScoreControlProfile.php b/src/Model/SecureScoreControlProfile.php index 6914100becd..f01278a0e56 100644 --- a/src/Model/SecureScoreControlProfile.php +++ b/src/Model/SecureScoreControlProfile.php @@ -143,7 +143,7 @@ public function setComplianceInformation($val) /** * Gets the controlCategory - * Control action category (Identity, Data, Device, Apps, Infrastructure). + * Control action category (Account, Data, Device, Apps, Infrastructure). * * @return string|null The controlCategory */ @@ -158,7 +158,7 @@ public function getControlCategory() /** * Sets the controlCategory - * Control action category (Identity, Data, Device, Apps, Infrastructure). + * Control action category (Account, Data, Device, Apps, Infrastructure). * * @param string $val The controlCategory * @@ -293,7 +293,7 @@ public function setLastModifiedDateTime($val) /** * Gets the maxScore - * max attainable score for the control. + * Current obtained max score on specified date. * * @return float|null The maxScore */ @@ -308,7 +308,7 @@ public function getMaxScore() /** * Sets the maxScore - * max attainable score for the control. + * Current obtained max score on specified date. * * @param float $val The maxScore * @@ -438,7 +438,7 @@ public function setService($val) /** * Gets the threats - * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage, + * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage,elevationOfPrivilege,maliciousInsider,passwordCracking,phishingOrWhaling,spoofing). * * @return string|null The threats */ @@ -453,7 +453,7 @@ public function getThreats() /** * Sets the threats - * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage, + * List of threats the control mitigates (accountBreach,dataDeletion,dataExfiltration,dataSpillage,elevationOfPrivilege,maliciousInsider,passwordCracking,phishingOrWhaling,spoofing). * * @param string $val The threats * diff --git a/src/Model/ServicePlanInfo.php b/src/Model/ServicePlanInfo.php index 045dbc22a64..548235eb957 100644 --- a/src/Model/ServicePlanInfo.php +++ b/src/Model/ServicePlanInfo.php @@ -53,7 +53,7 @@ public function setAppliesTo($val) } /** * Gets the provisioningStatus - * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan)'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. + * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan).'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. * * @return string|null The provisioningStatus */ @@ -68,7 +68,7 @@ public function getProvisioningStatus() /** * Sets the provisioningStatus - * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan)'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. + * The provisioning status of the service plan. Possible values:'Success' - Service is fully provisioned.'Disabled' - Service has been disabled.'PendingInput' - Service is not yet provisioned; awaiting service confirmation.'PendingActivation' - Service is provisioned but requires explicit activation by administrator (for example, Intune_O365 service plan).'PendingProvisioning' - Microsoft has added a new service to the product SKU and it has not been activated in the tenant, yet. * * @param string $val The value of the provisioningStatus * diff --git a/src/Model/ServicePrincipal.php b/src/Model/ServicePrincipal.php index 36946504ec0..0399660b82e 100644 --- a/src/Model/ServicePrincipal.php +++ b/src/Model/ServicePrincipal.php @@ -793,7 +793,7 @@ public function setServicePrincipalNames($val) /** * Gets the servicePrincipalType - * Identifies whether the service principal represents an application, a managed identity, or a legacy application. This is set by Azure AD internally. The servicePrincipalType property can be set to three different values: __Application - A service principal that represents an application or service. The appId property identifies the associated app registration, and matches the appId of an application, possibly from a different tenant. If the associated app registration is missing, tokens are not issued for the service principal.__ManagedIdentity - A service principal that represents a managed identity. Service principals representing managed identities can be granted access and permissions, but cannot be updated or modified directly.__Legacy - A service principal that represents an app created before app registrations, or through legacy experiences. Legacy service principal can have credentials, service principal names, reply URLs, and other properties which are editable by an authorized user, but does not have an associated app registration. The appId value does not associate the service principal with an app registration. The service principal can only be used in the tenant where it was created. + * Identifies if the service principal represents an application or a managed identity. This is set by Azure AD internally. For a service principal that represents an application this is set as Application. For a service principal that represent a managed identity this is set as ManagedIdentity. * * @return string|null The servicePrincipalType */ @@ -808,7 +808,7 @@ public function getServicePrincipalType() /** * Sets the servicePrincipalType - * Identifies whether the service principal represents an application, a managed identity, or a legacy application. This is set by Azure AD internally. The servicePrincipalType property can be set to three different values: __Application - A service principal that represents an application or service. The appId property identifies the associated app registration, and matches the appId of an application, possibly from a different tenant. If the associated app registration is missing, tokens are not issued for the service principal.__ManagedIdentity - A service principal that represents a managed identity. Service principals representing managed identities can be granted access and permissions, but cannot be updated or modified directly.__Legacy - A service principal that represents an app created before app registrations, or through legacy experiences. Legacy service principal can have credentials, service principal names, reply URLs, and other properties which are editable by an authorized user, but does not have an associated app registration. The appId value does not associate the service principal with an app registration. The service principal can only be used in the tenant where it was created. + * Identifies if the service principal represents an application or a managed identity. This is set by Azure AD internally. For a service principal that represents an application this is set as Application. For a service principal that represent a managed identity this is set as ManagedIdentity. * * @param string $val The servicePrincipalType * diff --git a/src/Model/SettingTemplateValue.php b/src/Model/SettingTemplateValue.php index ae335f5358d..1a978a23e80 100644 --- a/src/Model/SettingTemplateValue.php +++ b/src/Model/SettingTemplateValue.php @@ -25,7 +25,7 @@ class SettingTemplateValue extends Entity { /** * Gets the defaultValue - * Default value for the setting. + * Default value for the setting. Read-only. * * @return string|null The defaultValue */ @@ -40,7 +40,7 @@ public function getDefaultValue() /** * Sets the defaultValue - * Default value for the setting. + * Default value for the setting. Read-only. * * @param string $val The value of the defaultValue * @@ -53,7 +53,7 @@ public function setDefaultValue($val) } /** * Gets the description - * Description of the setting. + * Description of the setting. Read-only. * * @return string|null The description */ @@ -68,7 +68,7 @@ public function getDescription() /** * Sets the description - * Description of the setting. + * Description of the setting. Read-only. * * @param string $val The value of the description * @@ -81,7 +81,7 @@ public function setDescription($val) } /** * Gets the name - * Name of the setting. + * Name of the setting. Read-only. * * @return string|null The name */ @@ -96,7 +96,7 @@ public function getName() /** * Sets the name - * Name of the setting. + * Name of the setting. Read-only. * * @param string $val The value of the name * @@ -109,7 +109,7 @@ public function setName($val) } /** * Gets the type - * Type of the setting. + * Type of the setting. Read-only. * * @return string|null The type */ @@ -124,7 +124,7 @@ public function getType() /** * Sets the type - * Type of the setting. + * Type of the setting. Read-only. * * @param string $val The value of the type * diff --git a/src/Model/SettingValue.php b/src/Model/SettingValue.php index 666c0df9a1e..731511e1c23 100644 --- a/src/Model/SettingValue.php +++ b/src/Model/SettingValue.php @@ -25,7 +25,7 @@ class SettingValue extends Entity { /** * Gets the name - * Name of the setting (as defined by the groupSettingTemplate). + * Name of the setting (as defined by the directorySettingTemplate). * * @return string|null The name */ @@ -40,7 +40,7 @@ public function getName() /** * Sets the name - * Name of the setting (as defined by the groupSettingTemplate). + * Name of the setting (as defined by the directorySettingTemplate). * * @param string $val The value of the name * diff --git a/src/Model/SharedPCConfiguration.php b/src/Model/SharedPCConfiguration.php index 77ab490cf10..9672fb26cec 100644 --- a/src/Model/SharedPCConfiguration.php +++ b/src/Model/SharedPCConfiguration.php @@ -59,7 +59,7 @@ public function setAccountManagerPolicy($val) /** * Gets the allowedAccounts - * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: guest, domain. + * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: notConfigured, guest, domain. * * @return SharedPCAllowedAccountType|null The allowedAccounts */ @@ -78,7 +78,7 @@ public function getAllowedAccounts() /** * Sets the allowedAccounts - * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: guest, domain. + * Indicates which type of accounts are allowed to use on a shared PC. Possible values are: notConfigured, guest, domain. * * @param SharedPCAllowedAccountType $val The allowedAccounts * diff --git a/src/Model/SignIn.php b/src/Model/SignIn.php index a82bb9ea8e4..7a0dc3895c7 100644 --- a/src/Model/SignIn.php +++ b/src/Model/SignIn.php @@ -26,7 +26,7 @@ class SignIn extends Entity { /** * Gets the appDisplayName - * App name displayed in the Azure Portal. + * The application name displayed in the Azure Portal. Supports $filter (eq and startsWith operators only). * * @return string|null The appDisplayName */ @@ -41,7 +41,7 @@ public function getAppDisplayName() /** * Sets the appDisplayName - * App name displayed in the Azure Portal. + * The application name displayed in the Azure Portal. Supports $filter (eq and startsWith operators only). * * @param string $val The appDisplayName * @@ -55,7 +55,7 @@ public function setAppDisplayName($val) /** * Gets the appId - * Unique GUID representing the app ID in the Azure Active Directory. + * The application identifier in Azure Active Directory. Supports $filter (eq operator only). * * @return string|null The appId */ @@ -70,7 +70,7 @@ public function getAppId() /** * Sets the appId - * Unique GUID representing the app ID in the Azure Active Directory. + * The application identifier in Azure Active Directory. Supports $filter (eq operator only). * * @param string $val The appId * @@ -114,7 +114,7 @@ public function setAppliedConditionalAccessPolicies($val) /** * Gets the clientAppUsed - * Identifies the legacy client used for sign-in activity. Includes Browser, Exchange Active Sync, modern clients, IMAP, MAPI, SMTP, and POP. + * The legacy client used for sign-in activity. For example: Browser, Exchange Active Sync, Modern clients, IMAP, MAPI, SMTP, or POP. Supports $filter (eq operator only). * * @return string|null The clientAppUsed */ @@ -129,7 +129,7 @@ public function getClientAppUsed() /** * Sets the clientAppUsed - * Identifies the legacy client used for sign-in activity. Includes Browser, Exchange Active Sync, modern clients, IMAP, MAPI, SMTP, and POP. + * The legacy client used for sign-in activity. For example: Browser, Exchange Active Sync, Modern clients, IMAP, MAPI, SMTP, or POP. Supports $filter (eq operator only). * * @param string $val The clientAppUsed * @@ -143,7 +143,7 @@ public function setClientAppUsed($val) /** * Gets the conditionalAccessStatus - * Reports status of an activated conditional access policy. Possible values are: success, failure, notApplied, and unknownFutureValue. + * The status of the conditional access policy triggered. Possible values: success, failure, notApplied, or unknownFutureValue. Supports $filter (eq operator only). * * @return ConditionalAccessStatus|null The conditionalAccessStatus */ @@ -162,7 +162,7 @@ public function getConditionalAccessStatus() /** * Sets the conditionalAccessStatus - * Reports status of an activated conditional access policy. Possible values are: success, failure, notApplied, and unknownFutureValue. + * The status of the conditional access policy triggered. Possible values: success, failure, notApplied, or unknownFutureValue. Supports $filter (eq operator only). * * @param ConditionalAccessStatus $val The conditionalAccessStatus * @@ -176,7 +176,7 @@ public function setConditionalAccessStatus($val) /** * Gets the correlationId - * The request ID sent from the client when the sign-in is initiated; used to troubleshoot sign-in activity. + * The identifier that's sent from the client when sign-in is initiated. This is used for troubleshooting the corresponding sign-in activity when calling for support. Supports $filter (eq operator only). * * @return string|null The correlationId */ @@ -191,7 +191,7 @@ public function getCorrelationId() /** * Sets the correlationId - * The request ID sent from the client when the sign-in is initiated; used to troubleshoot sign-in activity. + * The identifier that's sent from the client when sign-in is initiated. This is used for troubleshooting the corresponding sign-in activity when calling for support. Supports $filter (eq operator only). * * @param string $val The correlationId * @@ -205,7 +205,7 @@ public function setCorrelationId($val) /** * Gets the createdDateTime - * Date and time (UTC) the sign-in was initiated. Example: midnight on Jan 1, 2014 is reported as 2014-01-01T00:00:00Z. + * The date and time the sign-in was initiated. The Timestamp type is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Supports $orderby and $filter (eq, le, and ge operators only). * * @return \DateTime|null The createdDateTime */ @@ -224,7 +224,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * Date and time (UTC) the sign-in was initiated. Example: midnight on Jan 1, 2014 is reported as 2014-01-01T00:00:00Z. + * The date and time the sign-in was initiated. The Timestamp type is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Supports $orderby and $filter (eq, le, and ge operators only). * * @param \DateTime $val The createdDateTime * @@ -238,7 +238,7 @@ public function setCreatedDateTime($val) /** * Gets the deviceDetail - * Device information from where the sign-in occurred; includes device ID, operating system, and browser. + * The device information from where the sign-in occurred. Includes information such as deviceId, OS, and browser. Supports $filter (eq and startsWith operators only) on browser and operatingSytem properties. * * @return DeviceDetail|null The deviceDetail */ @@ -257,7 +257,7 @@ public function getDeviceDetail() /** * Sets the deviceDetail - * Device information from where the sign-in occurred; includes device ID, operating system, and browser. + * The device information from where the sign-in occurred. Includes information such as deviceId, OS, and browser. Supports $filter (eq and startsWith operators only) on browser and operatingSytem properties. * * @param DeviceDetail $val The deviceDetail * @@ -271,7 +271,7 @@ public function setDeviceDetail($val) /** * Gets the ipAddress - * IP address of the client used to sign in. + * The IP address of the client from where the sign-in occurred. Supports $filter (eq and startsWith operators only). * * @return string|null The ipAddress */ @@ -286,7 +286,7 @@ public function getIpAddress() /** * Sets the ipAddress - * IP address of the client used to sign in. + * The IP address of the client from where the sign-in occurred. Supports $filter (eq and startsWith operators only). * * @param string $val The ipAddress * @@ -300,7 +300,7 @@ public function setIpAddress($val) /** * Gets the isInteractive - * Indicates if a sign-in is interactive or not. + * Indicates whether a sign-in is interactive or not. * * @return bool|null The isInteractive */ @@ -315,7 +315,7 @@ public function getIsInteractive() /** * Sets the isInteractive - * Indicates if a sign-in is interactive or not. + * Indicates whether a sign-in is interactive or not. * * @param bool $val The isInteractive * @@ -329,7 +329,7 @@ public function setIsInteractive($val) /** * Gets the location - * Provides the city, state, and country code where the sign-in originated. + * The city, state, and 2 letter country code from where the sign-in occurred. Supports $filter (eq and startsWith operators only) on city, state, and countryOrRegion properties. * * @return SignInLocation|null The location */ @@ -348,7 +348,7 @@ public function getLocation() /** * Sets the location - * Provides the city, state, and country code where the sign-in originated. + * The city, state, and 2 letter country code from where the sign-in occurred. Supports $filter (eq and startsWith operators only) on city, state, and countryOrRegion properties. * * @param SignInLocation $val The location * @@ -362,7 +362,7 @@ public function setLocation($val) /** * Gets the resourceDisplayName - * Name of the resource the user signed into. + * The name of the resource that the user signed in to. Supports $filter (eq operator only). * * @return string|null The resourceDisplayName */ @@ -377,7 +377,7 @@ public function getResourceDisplayName() /** * Sets the resourceDisplayName - * Name of the resource the user signed into. + * The name of the resource that the user signed in to. Supports $filter (eq operator only). * * @param string $val The resourceDisplayName * @@ -391,7 +391,7 @@ public function setResourceDisplayName($val) /** * Gets the resourceId - * ID of the resource that the user signed into. + * The identifier of the resource that the user signed in to. Supports $filter (eq operator only). * * @return string|null The resourceId */ @@ -406,7 +406,7 @@ public function getResourceId() /** * Sets the resourceId - * ID of the resource that the user signed into. + * The identifier of the resource that the user signed in to. Supports $filter (eq operator only). * * @param string $val The resourceId * @@ -420,7 +420,7 @@ public function setResourceId($val) /** * Gets the riskDetail - * Provides the 'reason' behind a specific state of a risky user, sign-in or a risk event. The possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Note: Details for this property require an Azure AD Premium P2 license. Other licenses return the value hidden. + * The reason behind a specific state of a risky user, sign-in, or a risk event. Possible values: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, or unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskDetail|null The riskDetail */ @@ -439,7 +439,7 @@ public function getRiskDetail() /** * Sets the riskDetail - * Provides the 'reason' behind a specific state of a risky user, sign-in or a risk event. The possible values are: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Note: Details for this property require an Azure AD Premium P2 license. Other licenses return the value hidden. + * The reason behind a specific state of a risky user, sign-in, or a risk event. Possible values: none, adminGeneratedTemporaryPassword, userPerformedSecuredPasswordChange, userPerformedSecuredPasswordReset, adminConfirmedSigninSafe, aiConfirmedSigninSafe, userPassedMFADrivenByRiskBasedPolicy, adminDismissedAllRiskForUser, adminConfirmedSigninCompromised, or unknownFutureValue. The value none means that no action has been performed on the user or sign-in so far. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskDetail $val The riskDetail * @@ -454,7 +454,7 @@ public function setRiskDetail($val) /** * Gets the riskEventTypes - * Risk event types associated with the sign-in. The possible values are: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, and unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq operator only). * * @return array|null The riskEventTypes */ @@ -469,7 +469,7 @@ public function getRiskEventTypes() /** * Sets the riskEventTypes - * Risk event types associated with the sign-in. The possible values are: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, and unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq operator only). * * @param RiskEventType $val The riskEventTypes * @@ -483,7 +483,7 @@ public function setRiskEventTypes($val) /** * Gets the riskEventTypesV2 - * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq and startsWith operators only). * * @return string|null The riskEventTypesV2 */ @@ -498,7 +498,7 @@ public function getRiskEventTypesV2() /** * Sets the riskEventTypesV2 - * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. + * The list of risk event types associated with the sign-in. Possible values: unlikelyTravel, anonymizedIPAddress, maliciousIPAddress, unfamiliarFeatures, malwareInfectedIPAddress, suspiciousIPAddress, leakedCredentials, investigationsThreatIntelligence, generic, or unknownFutureValue. Supports $filter (eq and startsWith operators only). * * @param string $val The riskEventTypesV2 * @@ -512,7 +512,7 @@ public function setRiskEventTypesV2($val) /** * Gets the riskLevelAggregated - * Aggregated risk level. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The aggregated risk level. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskLevel|null The riskLevelAggregated */ @@ -531,7 +531,7 @@ public function getRiskLevelAggregated() /** * Sets the riskLevelAggregated - * Aggregated risk level. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The aggregated risk level. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskLevel $val The riskLevelAggregated * @@ -545,7 +545,7 @@ public function setRiskLevelAggregated($val) /** * Gets the riskLevelDuringSignIn - * Risk level during sign-in. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The risk level during sign-in. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @return RiskLevel|null The riskLevelDuringSignIn */ @@ -564,7 +564,7 @@ public function getRiskLevelDuringSignIn() /** * Sets the riskLevelDuringSignIn - * Risk level during sign-in. The possible values are: none, low, medium, high, hidden, and unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers will be returned hidden. + * The risk level during sign-in. Possible values: none, low, medium, high, hidden, or unknownFutureValue. The value hidden means the user or sign-in was not enabled for Azure AD Identity Protection. Supports $filter (eq operator only). Note: Details for this property are only available for Azure AD Premium P2 customers. All other customers are returned hidden. * * @param RiskLevel $val The riskLevelDuringSignIn * @@ -578,7 +578,7 @@ public function setRiskLevelDuringSignIn($val) /** * Gets the riskState - * Reports status of the risky user, sign-in, or a risk event. The possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The risk state of a risky user, sign-in, or a risk event. Possible values: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, or unknownFutureValue. Supports $filter (eq operator only). * * @return RiskState|null The riskState */ @@ -597,7 +597,7 @@ public function getRiskState() /** * Sets the riskState - * Reports status of the risky user, sign-in, or a risk event. The possible values are: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, unknownFutureValue. + * The risk state of a risky user, sign-in, or a risk event. Possible values: none, confirmedSafe, remediated, dismissed, atRisk, confirmedCompromised, or unknownFutureValue. Supports $filter (eq operator only). * * @param RiskState $val The riskState * @@ -611,7 +611,7 @@ public function setRiskState($val) /** * Gets the status - * Sign-in status. Includes the error code and description of the error (in case of a sign-in failure). + * The sign-in status. Includes the error code and description of the error (in case of a sign-in failure). Supports $filter (eq operator only) on errorCode property. * * @return SignInStatus|null The status */ @@ -630,7 +630,7 @@ public function getStatus() /** * Sets the status - * Sign-in status. Includes the error code and description of the error (in case of a sign-in failure). + * The sign-in status. Includes the error code and description of the error (in case of a sign-in failure). Supports $filter (eq operator only) on errorCode property. * * @param SignInStatus $val The status * @@ -644,7 +644,7 @@ public function setStatus($val) /** * Gets the userDisplayName - * Display name of the user that initiated the sign-in. + * The display name of the user. Supports $filter (eq and startsWith operators only). * * @return string|null The userDisplayName */ @@ -659,7 +659,7 @@ public function getUserDisplayName() /** * Sets the userDisplayName - * Display name of the user that initiated the sign-in. + * The display name of the user. Supports $filter (eq and startsWith operators only). * * @param string $val The userDisplayName * @@ -673,7 +673,7 @@ public function setUserDisplayName($val) /** * Gets the userId - * ID of the user that initiated the sign-in. + * The identifier of the user. Supports $filter (eq operator only). * * @return string|null The userId */ @@ -688,7 +688,7 @@ public function getUserId() /** * Sets the userId - * ID of the user that initiated the sign-in. + * The identifier of the user. Supports $filter (eq operator only). * * @param string $val The userId * @@ -702,7 +702,7 @@ public function setUserId($val) /** * Gets the userPrincipalName - * User principal name of the user that initiated the sign-in. + * The UPN of the user. Supports $filter (eq and startsWith operators only). * * @return string|null The userPrincipalName */ @@ -717,7 +717,7 @@ public function getUserPrincipalName() /** * Sets the userPrincipalName - * User principal name of the user that initiated the sign-in. + * The UPN of the user. Supports $filter (eq and startsWith operators only). * * @param string $val The userPrincipalName * diff --git a/src/Model/StoragePlanInformation.php b/src/Model/StoragePlanInformation.php index 7dd53155ffb..e53f413fb4e 100644 --- a/src/Model/StoragePlanInformation.php +++ b/src/Model/StoragePlanInformation.php @@ -25,7 +25,7 @@ class StoragePlanInformation extends Entity { /** * Gets the upgradeAvailable - * Indicates whether there are higher storage quota plans available. Read-only. + * Indicates if there are higher storage quota plans available. Read-only. * * @return bool|null The upgradeAvailable */ @@ -40,7 +40,7 @@ public function getUpgradeAvailable() /** * Sets the upgradeAvailable - * Indicates whether there are higher storage quota plans available. Read-only. + * Indicates if there are higher storage quota plans available. Read-only. * * @param bool $val The value of the upgradeAvailable * diff --git a/src/Model/Subscription.php b/src/Model/Subscription.php index e12abf9486a..a315c09fc36 100644 --- a/src/Model/Subscription.php +++ b/src/Model/Subscription.php @@ -55,7 +55,7 @@ public function setApplicationId($val) /** * Gets the changeType - * Required. Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list.Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. + * Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list. Required. Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. * * @return string|null The changeType */ @@ -70,7 +70,7 @@ public function getChangeType() /** * Sets the changeType - * Required. Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list.Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. + * Indicates the type of change in the subscribed resource that will raise a change notification. The supported values are: created, updated, deleted. Multiple values can be combined using a comma-separated list. Required. Note: Drive root item and list change notifications support only the updated changeType. User and group change notifications support updated and deleted changeType. * * @param string $val The changeType * @@ -84,7 +84,7 @@ public function setChangeType($val) /** * Gets the clientState - * Optional. Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 128 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. + * Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 255 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. Optional. * * @return string|null The clientState */ @@ -99,7 +99,7 @@ public function getClientState() /** * Sets the clientState - * Optional. Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 128 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. + * Specifies the value of the clientState property sent by the service in each change notification. The maximum length is 255 characters. The client can check that the change notification came from the service by comparing the value of the clientState property sent with the subscription with the value of the clientState property received with each change notification. Optional. * * @param string $val The clientState * @@ -113,7 +113,7 @@ public function setClientState($val) /** * Gets the creatorId - * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the id of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the id of the service principal corresponding to the app. Read-only. + * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the ID of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the ID of the service principal corresponding to the app. Read-only. * * @return string|null The creatorId */ @@ -128,7 +128,7 @@ public function getCreatorId() /** * Sets the creatorId - * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the id of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the id of the service principal corresponding to the app. Read-only. + * Identifier of the user or service principal that created the subscription. If the app used delegated permissions to create the subscription, this field contains the ID of the signed-in user the app called on behalf of. If the app used application permissions, this field contains the ID of the service principal corresponding to the app. Read-only. * * @param string $val The creatorId * @@ -171,7 +171,7 @@ public function setEncryptionCertificate($val) /** * Gets the encryptionCertificateId - * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. + * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. Required when includeResourceData is true. * * @return string|null The encryptionCertificateId */ @@ -186,7 +186,7 @@ public function getEncryptionCertificateId() /** * Sets the encryptionCertificateId - * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. + * A custom app-provided identifier to help identify the certificate needed to decrypt resource data. Optional. Required when includeResourceData is true. * * @param string $val The encryptionCertificateId * @@ -200,7 +200,7 @@ public function setEncryptionCertificateId($val) /** * Gets the expirationDateTime - * Required. Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. + * Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. Required. * * @return \DateTime|null The expirationDateTime */ @@ -219,7 +219,7 @@ public function getExpirationDateTime() /** * Sets the expirationDateTime - * Required. Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. + * Specifies the date and time when the webhook subscription expires. The time is in UTC, and can be an amount of time from subscription creation that varies for the resource subscribed to. See the table below for maximum supported subscription length of time. Required. * * @param \DateTime $val The expirationDateTime * @@ -349,7 +349,7 @@ public function setNotificationQueryOptions($val) /** * Gets the notificationUrl - * Required. The URL of the endpoint that will receive the change notifications. This URL must make use of the HTTPS protocol. + * The URL of the endpoint that receives the change notifications. This URL must make use of the HTTPS protocol. Required. * * @return string|null The notificationUrl */ @@ -364,7 +364,7 @@ public function getNotificationUrl() /** * Sets the notificationUrl - * Required. The URL of the endpoint that will receive the change notifications. This URL must make use of the HTTPS protocol. + * The URL of the endpoint that receives the change notifications. This URL must make use of the HTTPS protocol. Required. * * @param string $val The notificationUrl * @@ -378,7 +378,7 @@ public function setNotificationUrl($val) /** * Gets the resource - * Required. Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/v1.0/). See the possible resource path values for each supported resource. + * Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/beta/). See the possible resource path values for each supported resource. Required. * * @return string|null The resource */ @@ -393,7 +393,7 @@ public function getResource() /** * Sets the resource - * Required. Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/v1.0/). See the possible resource path values for each supported resource. + * Specifies the resource that will be monitored for changes. Do not include the base URL (https://graph.microsoft.com/beta/). See the possible resource path values for each supported resource. Required. * * @param string $val The resource * diff --git a/src/Model/SwapShiftsChangeRequest.php b/src/Model/SwapShiftsChangeRequest.php index 4868674dd8a..cc9b1f2c77a 100644 --- a/src/Model/SwapShiftsChangeRequest.php +++ b/src/Model/SwapShiftsChangeRequest.php @@ -26,7 +26,7 @@ class SwapShiftsChangeRequest extends OfferShiftRequest { /** * Gets the recipientShiftId - * ShiftId for the recipient user with whom the request is to swap. + * Shift ID for the recipient user with whom the request is to swap. * * @return string|null The recipientShiftId */ @@ -41,7 +41,7 @@ public function getRecipientShiftId() /** * Sets the recipientShiftId - * ShiftId for the recipient user with whom the request is to swap. + * Shift ID for the recipient user with whom the request is to swap. * * @param string $val The recipientShiftId * diff --git a/src/Model/TargetResource.php b/src/Model/TargetResource.php index d86d908265c..ece46f67650 100644 --- a/src/Model/TargetResource.php +++ b/src/Model/TargetResource.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the groupType - * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue + * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue * * @return GroupType|null The groupType */ @@ -73,7 +73,7 @@ public function getGroupType() /** * Sets the groupType - * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue + * When type is set to Group, this indicates the group type. Possible values are: unifiedGroups, azureAD, and unknownFutureValue * * @param GroupType $val The value to assign to the groupType * diff --git a/src/Model/TargetedManagedAppPolicyAssignment.php b/src/Model/TargetedManagedAppPolicyAssignment.php index 490a4806e61..22a355b1a6d 100644 --- a/src/Model/TargetedManagedAppPolicyAssignment.php +++ b/src/Model/TargetedManagedAppPolicyAssignment.php @@ -26,7 +26,7 @@ class TargetedManagedAppPolicyAssignment extends Entity { /** * Gets the target - * Identifier for deployment of a group or app + * Identifier for deployment to a group or app * * @return DeviceAndAppManagementAssignmentTarget|null The target */ @@ -45,7 +45,7 @@ public function getTarget() /** * Sets the target - * Identifier for deployment of a group or app + * Identifier for deployment to a group or app * * @param DeviceAndAppManagementAssignmentTarget $val The target * diff --git a/src/Model/TeamMemberSettings.php b/src/Model/TeamMemberSettings.php index fe2c8a07388..d8e5c89c854 100644 --- a/src/Model/TeamMemberSettings.php +++ b/src/Model/TeamMemberSettings.php @@ -81,7 +81,7 @@ public function setAllowCreatePrivateChannels($val) } /** * Gets the allowCreateUpdateChannels - * If set to true, members can add and update channels. + * If set to true, members can add and update any channels. * * @return bool|null The allowCreateUpdateChannels */ @@ -96,7 +96,7 @@ public function getAllowCreateUpdateChannels() /** * Sets the allowCreateUpdateChannels - * If set to true, members can add and update channels. + * If set to true, members can add and update any channels. * * @param bool $val The value of the allowCreateUpdateChannels * diff --git a/src/Model/TeamsTab.php b/src/Model/TeamsTab.php index 9f23c49df28..1080e3501b1 100644 --- a/src/Model/TeamsTab.php +++ b/src/Model/TeamsTab.php @@ -117,7 +117,7 @@ public function setWebUrl($val) /** * Gets the teamsApp - * The application that is linked to the tab. This cannot be changed after tab creation. + * The application that is linked to the tab. * * @return TeamsApp|null The teamsApp */ @@ -136,7 +136,7 @@ public function getTeamsApp() /** * Sets the teamsApp - * The application that is linked to the tab. This cannot be changed after tab creation. + * The application that is linked to the tab. * * @param TeamsApp $val The teamsApp * diff --git a/src/Model/TeamworkHostedContent.php b/src/Model/TeamworkHostedContent.php index 6d1e06cb0cf..7a4da3682f9 100644 --- a/src/Model/TeamworkHostedContent.php +++ b/src/Model/TeamworkHostedContent.php @@ -59,7 +59,7 @@ public function setContentBytes($val) /** * Gets the contentType - * Write only. Content type. sicj as image/png, image/jpg. + * Write only. Content type, such as image/png, image/jpg. * * @return string|null The contentType */ @@ -74,7 +74,7 @@ public function getContentType() /** * Sets the contentType - * Write only. Content type. sicj as image/png, image/jpg. + * Write only. Content type, such as image/png, image/jpg. * * @param string $val The contentType * diff --git a/src/Model/TermsExpiration.php b/src/Model/TermsExpiration.php index 32d3057744c..2b157a05b37 100644 --- a/src/Model/TermsExpiration.php +++ b/src/Model/TermsExpiration.php @@ -59,7 +59,7 @@ public function setFrequency($val) /** * Gets the startDateTime - * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z'. + * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @return \DateTime|null The startDateTime */ @@ -78,7 +78,7 @@ public function getStartDateTime() /** * Sets the startDateTime - * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 would look like this: '2014-01-01T00:00:00Z'. + * The DateTime when the agreement is set to expire for all users. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. * * @param \DateTime $val The value to assign to the startDateTime * diff --git a/src/Model/ThreatAssessmentResult.php b/src/Model/ThreatAssessmentResult.php index 30efae8bb8b..a686874096b 100644 --- a/src/Model/ThreatAssessmentResult.php +++ b/src/Model/ThreatAssessmentResult.php @@ -88,7 +88,7 @@ public function setMessage($val) /** * Gets the resultType - * The threat assessment result type. Possible values are: checkPolicy, rescan. + * The threat assessment result type. Possible values are: checkPolicy (only for mail assessment), rescan. * * @return ThreatAssessmentResultType|null The resultType */ @@ -107,7 +107,7 @@ public function getResultType() /** * Sets the resultType - * The threat assessment result type. Possible values are: checkPolicy, rescan. + * The threat assessment result type. Possible values are: checkPolicy (only for mail assessment), rescan. * * @param ThreatAssessmentResultType $val The resultType * diff --git a/src/Model/TimeConstraint.php b/src/Model/TimeConstraint.php index 9955a8dcc55..6e63a3848b7 100644 --- a/src/Model/TimeConstraint.php +++ b/src/Model/TimeConstraint.php @@ -26,7 +26,7 @@ class TimeConstraint extends Entity /** * Gets the activityDomain - * The nature of the activity, optional. The possible values are: work, personal, unrestricted, or unknown. + * The nature of the activity, optional. Possible values are: work, personal, unrestricted, or unknown. * * @return ActivityDomain|null The activityDomain */ @@ -45,7 +45,7 @@ public function getActivityDomain() /** * Sets the activityDomain - * The nature of the activity, optional. The possible values are: work, personal, unrestricted, or unknown. + * The nature of the activity, optional. Possible values are: work, personal, unrestricted, or unknown. * * @param ActivityDomain $val The value to assign to the activityDomain * diff --git a/src/Model/UnifiedRoleAssignment.php b/src/Model/UnifiedRoleAssignment.php index 7a49ba8870e..22b90b2d942 100644 --- a/src/Model/UnifiedRoleAssignment.php +++ b/src/Model/UnifiedRoleAssignment.php @@ -26,7 +26,7 @@ class UnifiedRoleAssignment extends Entity { /** * Gets the appScopeId - * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Identifier of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @return string|null The appScopeId */ @@ -41,7 +41,7 @@ public function getAppScopeId() /** * Sets the appScopeId - * Id of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use '/' for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. + * Identifier of the app specific scope when the assignment scope is app specific. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. Use / for tenant-wide scope. App scopes are scopes that are defined and understood by this application only. * * @param string $val The appScopeId * @@ -82,7 +82,7 @@ public function setCondition($val) /** * Gets the directoryScopeId - * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. + * Identifier of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @return string|null The directoryScopeId */ @@ -97,7 +97,7 @@ public function getDirectoryScopeId() /** * Sets the directoryScopeId - * Id of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. + * Identifier of the directory object representing the scope of the assignment. The scope of an assignment determines the set of resources for which the principal has been granted access. Directory scopes are shared scopes stored in the directory that are understood by multiple applications. App scopes are scopes that are defined and understood by this application only. * * @param string $val The directoryScopeId * @@ -111,7 +111,7 @@ public function setDirectoryScopeId($val) /** * Gets the principalId - * Objectid of the principal to which the assignment is granted. + * Identifier of the principal to which the assignment is granted. Supports $filter (eq operator only). * * @return string|null The principalId */ @@ -126,7 +126,7 @@ public function getPrincipalId() /** * Sets the principalId - * Objectid of the principal to which the assignment is granted. + * Identifier of the principal to which the assignment is granted. Supports $filter (eq operator only). * * @param string $val The principalId * @@ -140,7 +140,7 @@ public function setPrincipalId($val) /** * Gets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. Read only. + * Identifier of the unifiedRoleDefinition the assignment is for. Read-only. Supports $filter (eq operator only). * * @return string|null The roleDefinitionId */ @@ -155,7 +155,7 @@ public function getRoleDefinitionId() /** * Sets the roleDefinitionId - * ID of the unifiedRoleDefinition the assignment is for. Read only. + * Identifier of the unifiedRoleDefinition the assignment is for. Read-only. Supports $filter (eq operator only). * * @param string $val The roleDefinitionId * @@ -169,6 +169,7 @@ public function setRoleDefinitionId($val) /** * Gets the appScope + * Details of the app specific scope when the assignment scope is app specific. Containment entity. * * @return AppScope|null The appScope */ @@ -187,6 +188,7 @@ public function getAppScope() /** * Sets the appScope + * Details of the app specific scope when the assignment scope is app specific. Containment entity. * * @param AppScope $val The appScope * @@ -200,6 +202,7 @@ public function setAppScope($val) /** * Gets the directoryScope + * The directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return DirectoryObject|null The directoryScope */ @@ -218,6 +221,7 @@ public function getDirectoryScope() /** * Sets the directoryScope + * The directory object that is the scope of the assignment. Provided so that callers can get the directory object using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The directoryScope * @@ -231,6 +235,7 @@ public function setDirectoryScope($val) /** * Gets the principal + * The assigned principal. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @return DirectoryObject|null The principal */ @@ -249,6 +254,7 @@ public function getPrincipal() /** * Sets the principal + * The assigned principal. Provided so that callers can get the principal using $expand at the same time as getting the role assignment. Read-only. Supports $expand. * * @param DirectoryObject $val The principal * @@ -262,6 +268,7 @@ public function setPrincipal($val) /** * Gets the roleDefinition + * The roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.id will be auto expanded. Supports $expand. * * @return UnifiedRoleDefinition|null The roleDefinition */ @@ -280,6 +287,7 @@ public function getRoleDefinition() /** * Sets the roleDefinition + * The roleDefinition the assignment is for. Provided so that callers can get the role definition using $expand at the same time as getting the role assignment. roleDefinition.id will be auto expanded. Supports $expand. * * @param UnifiedRoleDefinition $val The roleDefinition * diff --git a/src/Model/UnifiedRoleDefinition.php b/src/Model/UnifiedRoleDefinition.php index 1e1162ccd84..fda85928c9d 100644 --- a/src/Model/UnifiedRoleDefinition.php +++ b/src/Model/UnifiedRoleDefinition.php @@ -55,7 +55,7 @@ public function setDescription($val) /** * Gets the displayName - * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. + * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. Supports $filter (eq and startsWith operators only). * * @return string|null The displayName */ @@ -70,7 +70,7 @@ public function getDisplayName() /** * Sets the displayName - * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. + * The display name for the unifiedRoleDefinition. Read-only when isBuiltIn is true. Required. Supports $filter (eq and startsWith operators only). * * @param string $val The displayName * @@ -84,7 +84,7 @@ public function setDisplayName($val) /** * Gets the isBuiltIn - * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. + * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. Supports $filter (eq operator only). * * @return bool|null The isBuiltIn */ @@ -99,7 +99,7 @@ public function getIsBuiltIn() /** * Sets the isBuiltIn - * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. + * Flag indicating if the unifiedRoleDefinition is part of the default set included with the product or custom. Read-only. Supports $filter (eq operator only). * * @param bool $val The isBuiltIn * @@ -142,7 +142,7 @@ public function setIsEnabled($val) /** * Gets the resourceScopes - * List of scopes permissions granted by the role definition apply to. Currently only '/' is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment + * List of scopes permissions granted by the role definition apply to. Currently only / is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment * * @return string|null The resourceScopes */ @@ -157,7 +157,7 @@ public function getResourceScopes() /** * Sets the resourceScopes - * List of scopes permissions granted by the role definition apply to. Currently only '/' is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment + * List of scopes permissions granted by the role definition apply to. Currently only / is supported. Read-only when isBuiltIn is true. DO NOT USE. This is going to be deprecated soon. Attach scope to role assignment * * @param string $val The resourceScopes * @@ -260,6 +260,7 @@ public function setVersion($val) /** * Gets the inheritsPermissionsFrom + * Read-only collection of role definitions that the given role definition inherits from. Only Azure AD built-in roles support this attribute. * * @return array|null The inheritsPermissionsFrom */ @@ -274,6 +275,7 @@ public function getInheritsPermissionsFrom() /** * Sets the inheritsPermissionsFrom + * Read-only collection of role definitions that the given role definition inherits from. Only Azure AD built-in roles support this attribute. * * @param UnifiedRoleDefinition $val The inheritsPermissionsFrom * diff --git a/src/Model/UploadSession.php b/src/Model/UploadSession.php index 88bd2f152d8..daa1b188cb5 100644 --- a/src/Model/UploadSession.php +++ b/src/Model/UploadSession.php @@ -58,7 +58,7 @@ public function setExpirationDateTime($val) } /** * Gets the nextExpectedRanges - * A collection of byte ranges that the server is missing for the file. These ranges are zero indexed and of the format 'start-end' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. + * When uploading files to document libraries, this is a collection of byte ranges that the server is missing for the file. These ranges are zero-indexed and of the format, '{start}-{end}' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. * * @return string|null The nextExpectedRanges */ @@ -73,7 +73,7 @@ public function getNextExpectedRanges() /** * Sets the nextExpectedRanges - * A collection of byte ranges that the server is missing for the file. These ranges are zero indexed and of the format 'start-end' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. + * When uploading files to document libraries, this is a collection of byte ranges that the server is missing for the file. These ranges are zero-indexed and of the format, '{start}-{end}' (e.g. '0-26' to indicate the first 27 bytes of the file). When uploading files as Outlook attachments, instead of a collection of ranges, this property always indicates a single value '{start}', the location in the file where the next upload should begin. * * @param string $val The value of the nextExpectedRanges * diff --git a/src/Model/User.php b/src/Model/User.php index 4d92038a59c..a6523ff12bc 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -26,7 +26,7 @@ class User extends DirectoryObject { /** * Gets the accountEnabled - * true if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * true if the account is enabled; otherwise, false. This property is required when a user is created. Returned only on $select. Supports $filter. * * @return bool|null The accountEnabled */ @@ -41,7 +41,7 @@ public function getAccountEnabled() /** * Sets the accountEnabled - * true if the account is enabled; otherwise, false. This property is required when a user is created. Supports $filter. + * true if the account is enabled; otherwise, false. This property is required when a user is created. Returned only on $select. Supports $filter. * * @param bool $val The accountEnabled * @@ -55,7 +55,7 @@ public function setAccountEnabled($val) /** * Gets the ageGroup - * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. + * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The ageGroup */ @@ -70,7 +70,7 @@ public function getAgeGroup() /** * Sets the ageGroup - * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. + * Sets the age group of the user. Allowed values: null, minor, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The ageGroup * @@ -85,7 +85,7 @@ public function setAgeGroup($val) /** * Gets the assignedLicenses - * The licenses that are assigned to the user. Returned only on $select. Not nullable. Supports $filter. + * The licenses that are assigned to the user. Not nullable. Supports $filter. * * @return array|null The assignedLicenses */ @@ -100,7 +100,7 @@ public function getAssignedLicenses() /** * Sets the assignedLicenses - * The licenses that are assigned to the user. Returned only on $select. Not nullable. Supports $filter. + * The licenses that are assigned to the user. Not nullable. Supports $filter. * * @param AssignedLicense $val The assignedLicenses * @@ -115,7 +115,7 @@ public function setAssignedLicenses($val) /** * Gets the assignedPlans - * The plans that are assigned to the user. Read-only. Not nullable. + * The plans that are assigned to the user. Returned only on $select. Read-only. Not nullable. * * @return array|null The assignedPlans */ @@ -130,7 +130,7 @@ public function getAssignedPlans() /** * Sets the assignedPlans - * The plans that are assigned to the user. Read-only. Not nullable. + * The plans that are assigned to the user. Returned only on $select. Read-only. Not nullable. * * @param AssignedPlan $val The assignedPlans * @@ -144,7 +144,7 @@ public function setAssignedPlans($val) /** * Gets the businessPhones - * The telephone numbers for the user. NOTE: Although this is a string collection, only one number can be set for this property. Read-only for users synced from on-premises directory. Returned by default. + * The telephone numbers for the user. Only one number can be set for this property. Returned by default. Read-only for users synced from on-premises directory. * * @return string|null The businessPhones */ @@ -159,7 +159,7 @@ public function getBusinessPhones() /** * Sets the businessPhones - * The telephone numbers for the user. NOTE: Although this is a string collection, only one number can be set for this property. Read-only for users synced from on-premises directory. Returned by default. + * The telephone numbers for the user. Only one number can be set for this property. Returned by default. Read-only for users synced from on-premises directory. * * @param string $val The businessPhones * @@ -173,7 +173,7 @@ public function setBusinessPhones($val) /** * Gets the city - * The city in which the user is located. Maximum length is 128 characters. Supports $filter. + * The city in which the user is located. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The city */ @@ -188,7 +188,7 @@ public function getCity() /** * Sets the city - * The city in which the user is located. Maximum length is 128 characters. Supports $filter. + * The city in which the user is located. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The city * @@ -231,7 +231,7 @@ public function setCompanyName($val) /** * Gets the consentProvidedForMinor - * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. + * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The consentProvidedForMinor */ @@ -246,7 +246,7 @@ public function getConsentProvidedForMinor() /** * Sets the consentProvidedForMinor - * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. + * Sets whether consent has been obtained for minors. Allowed values: null, granted, denied and notRequired. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The consentProvidedForMinor * @@ -260,7 +260,7 @@ public function setConsentProvidedForMinor($val) /** * Gets the country - * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Supports $filter. + * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The country */ @@ -275,7 +275,7 @@ public function getCountry() /** * Sets the country - * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Supports $filter. + * The country/region in which the user is located; for example, 'US' or 'UK'. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The country * @@ -289,7 +289,7 @@ public function setCountry($val) /** * Gets the createdDateTime - * The created date of the user object. Supports $filter with the eq, lt, and ge operators. + * The date and time the user was created. The value cannot be modified and is automatically populated when the entity is created. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. Property is nullable. A null value indicates that an accurate creation time couldn't be determined for the user. Returned only on $select. Read-only. Supports $filter with the eq, lt, and ge operators. * * @return \DateTime|null The createdDateTime */ @@ -308,7 +308,7 @@ public function getCreatedDateTime() /** * Sets the createdDateTime - * The created date of the user object. Supports $filter with the eq, lt, and ge operators. + * The date and time the user was created. The value cannot be modified and is automatically populated when the entity is created. The DateTimeOffset type represents date and time information using ISO 8601 format and is always in UTC time. Property is nullable. A null value indicates that an accurate creation time couldn't be determined for the user. Returned only on $select. Read-only. Supports $filter with the eq, lt, and ge operators. * * @param \DateTime $val The createdDateTime * @@ -322,7 +322,7 @@ public function setCreatedDateTime($val) /** * Gets the creationType - * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Read-only. + * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Returned only on $select. Read-only. * * @return string|null The creationType */ @@ -337,7 +337,7 @@ public function getCreationType() /** * Sets the creationType - * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Read-only. + * Indicates whether the user account was created as a regular school or work account (null), an external account (Invitation), a local account for an Azure Active Directory B2C tenant (LocalAccount) or self-service sign-up using email verification (EmailVerified). Returned only on $select. Read-only. * * @param string $val The creationType * @@ -351,7 +351,7 @@ public function setCreationType($val) /** * Gets the department - * The name for the department in which the user works. Maximum length is 64 characters. Supports $filter. + * The name for the department in which the user works. Maximum length is 64 characters.Returned only on $select. Supports $filter. * * @return string|null The department */ @@ -366,7 +366,7 @@ public function getDepartment() /** * Sets the department - * The name for the department in which the user works. Maximum length is 64 characters. Supports $filter. + * The name for the department in which the user works. Maximum length is 64 characters.Returned only on $select. Supports $filter. * * @param string $val The department * @@ -380,7 +380,7 @@ public function setDepartment($val) /** * Gets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. + * The name displayed in the address book for the user. This value is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. * * @return string|null The displayName */ @@ -395,7 +395,7 @@ public function getDisplayName() /** * Sets the displayName - * The name displayed in the address book for the user. This is usually the combination of the user's first name, middle initial and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. + * The name displayed in the address book for the user. This value is usually the combination of the user's first name, middle initial, and last name. This property is required when a user is created and it cannot be cleared during updates. Maximum length is 256 characters. Returned by default. Supports $filter and $orderby. * * @param string $val The displayName * @@ -504,7 +504,7 @@ public function setEmployeeOrgData($val) /** * Gets the employeeType - * Captures enterprise worker type: Employee, Contractor, Consultant, Vendor, etc. Returned only on $select. Supports $filter. + * Captures enterprise worker type. For example, Employee, Contractor, Consultant, or Vendor. Returned only on $select. Supports $filter with the eq operator. * * @return string|null The employeeType */ @@ -519,7 +519,7 @@ public function getEmployeeType() /** * Sets the employeeType - * Captures enterprise worker type: Employee, Contractor, Consultant, Vendor, etc. Returned only on $select. Supports $filter. + * Captures enterprise worker type. For example, Employee, Contractor, Consultant, or Vendor. Returned only on $select. Supports $filter with the eq operator. * * @param string $val The employeeType * @@ -595,7 +595,7 @@ public function setExternalUserStateChangeDateTime($val) /** * Gets the faxNumber - * The fax number of the user. + * The fax number of the user. Returned only on $select. * * @return string|null The faxNumber */ @@ -610,7 +610,7 @@ public function getFaxNumber() /** * Sets the faxNumber - * The fax number of the user. + * The fax number of the user. Returned only on $select. * * @param string $val The faxNumber * @@ -624,7 +624,7 @@ public function setFaxNumber($val) /** * Gets the givenName - * The given name (first name) of the user. Returned by default. Maximum length is 64 characters. Supports $filter. + * The given name (first name) of the user. Maximum length is 64 characters. Returned by default. Supports $filter. * * @return string|null The givenName */ @@ -639,7 +639,7 @@ public function getGivenName() /** * Sets the givenName - * The given name (first name) of the user. Returned by default. Maximum length is 64 characters. Supports $filter. + * The given name (first name) of the user. Maximum length is 64 characters. Returned by default. Supports $filter. * * @param string $val The givenName * @@ -654,7 +654,7 @@ public function setGivenName($val) /** * Gets the identities - * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Supports $filter. + * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Returned only on $select. Supports $filter. * * @return array|null The identities */ @@ -669,7 +669,7 @@ public function getIdentities() /** * Sets the identities - * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Supports $filter. + * Represents the identities that can be used to sign in to this user account. An identity can be provided by Microsoft (also known as a local account), by organizations, or by social identity providers such as Facebook, Google, and Microsoft, and tied to a user account. May contain multiple items with the same signInType value. Returned only on $select. Supports $filter. * * @param ObjectIdentity $val The identities * @@ -741,7 +741,7 @@ public function setIsResourceAccount($val) /** * Gets the jobTitle - * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter. + * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter (eq and startsWith operators). * * @return string|null The jobTitle */ @@ -756,7 +756,7 @@ public function getJobTitle() /** * Sets the jobTitle - * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter. + * The user's job title. Maximum length is 128 characters. Returned by default. Supports $filter (eq and startsWith operators). * * @param string $val The jobTitle * @@ -770,7 +770,7 @@ public function setJobTitle($val) /** * Gets the lastPasswordChangeDateTime - * The time when this Azure AD user last changed their password. The date and time information uses ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The time when this Azure AD user last changed their password. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. Read-only. * * @return \DateTime|null The lastPasswordChangeDateTime */ @@ -789,7 +789,7 @@ public function getLastPasswordChangeDateTime() /** * Sets the lastPasswordChangeDateTime - * The time when this Azure AD user last changed their password. The date and time information uses ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The time when this Azure AD user last changed their password. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. Read-only. * * @param \DateTime $val The lastPasswordChangeDateTime * @@ -803,7 +803,7 @@ public function setLastPasswordChangeDateTime($val) /** * Gets the legalAgeGroupClassification - * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. + * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @return string|null The legalAgeGroupClassification */ @@ -818,7 +818,7 @@ public function getLegalAgeGroupClassification() /** * Sets the legalAgeGroupClassification - * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. + * Used by enterprise applications to determine the legal age group of the user. This property is read-only and calculated based on ageGroup and consentProvidedForMinor properties. Allowed values: null, minorWithOutParentalConsent, minorWithParentalConsent, minorNoParentalConsentRequired, notAdult and adult. Refer to the legal age group property definitions for further information. Returned only on $select. * * @param string $val The legalAgeGroupClassification * @@ -833,7 +833,7 @@ public function setLegalAgeGroupClassification($val) /** * Gets the licenseAssignmentStates - * State of license assignments for this user. Read-only. + * State of license assignments for this user. Returned only on $select. Read-only. * * @return array|null The licenseAssignmentStates */ @@ -848,7 +848,7 @@ public function getLicenseAssignmentStates() /** * Sets the licenseAssignmentStates - * State of license assignments for this user. Read-only. + * State of license assignments for this user. Returned only on $select. Read-only. * * @param LicenseAssignmentState $val The licenseAssignmentStates * @@ -862,7 +862,7 @@ public function setLicenseAssignmentStates($val) /** * Gets the mail - * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user. Returned by default. Supports $filter and endsWith. + * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user.Returned by default. Supports $filter and endsWith. * * @return string|null The mail */ @@ -877,7 +877,7 @@ public function getMail() /** * Sets the mail - * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user. Returned by default. Supports $filter and endsWith. + * The SMTP address for the user, for example, 'jeff@contoso.onmicrosoft.com'.NOTE: While this property can contain accent characters, using them can cause access issues with other Microsoft applications for the user.Returned by default. Supports $filter and endsWith. * * @param string $val The mail * @@ -891,7 +891,7 @@ public function setMail($val) /** * Gets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Returned only on $select. Supports $filter. * * @return string|null The mailNickname */ @@ -906,7 +906,7 @@ public function getMailNickname() /** * Sets the mailNickname - * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Supports $filter. + * The mail alias for the user. This property must be specified when a user is created. Maximum length is 64 characters. Returned only on $select. Supports $filter. * * @param string $val The mailNickname * @@ -920,7 +920,7 @@ public function setMailNickname($val) /** * Gets the mobilePhone - * The primary cellular telephone number for the user. Read-only for users synced from on-premises directory. Maximum length is 64 characters. Returned by default. + * The primary cellular telephone number for the user. Returned by default. Read-only for users synced from on-premises directory. * * @return string|null The mobilePhone */ @@ -935,7 +935,7 @@ public function getMobilePhone() /** * Sets the mobilePhone - * The primary cellular telephone number for the user. Read-only for users synced from on-premises directory. Maximum length is 64 characters. Returned by default. + * The primary cellular telephone number for the user. Returned by default. Read-only for users synced from on-premises directory. * * @param string $val The mobilePhone * @@ -949,7 +949,7 @@ public function setMobilePhone($val) /** * Gets the officeLocation - * The office location in the user's place of business. Returned by default. + * The office location in the user's place of business. Maximum length is 128 characters. Returned by default. * * @return string|null The officeLocation */ @@ -964,7 +964,7 @@ public function getOfficeLocation() /** * Sets the officeLocation - * The office location in the user's place of business. Returned by default. + * The office location in the user's place of business. Maximum length is 128 characters. Returned by default. * * @param string $val The officeLocation * @@ -978,7 +978,7 @@ public function setOfficeLocation($val) /** * Gets the onPremisesDistinguishedName - * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesDistinguishedName */ @@ -993,7 +993,7 @@ public function getOnPremisesDistinguishedName() /** * Sets the onPremisesDistinguishedName - * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises Active Directory distinguished name or DN. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesDistinguishedName * @@ -1007,7 +1007,7 @@ public function setOnPremisesDistinguishedName($val) /** * Gets the onPremisesDomainName - * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesDomainName */ @@ -1022,7 +1022,7 @@ public function getOnPremisesDomainName() /** * Sets the onPremisesDomainName - * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises domainFQDN, also called dnsDomainName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesDomainName * @@ -1036,7 +1036,7 @@ public function setOnPremisesDomainName($val) /** * Gets the onPremisesExtensionAttributes - * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. + * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. Returned only on $select. * * @return OnPremisesExtensionAttributes|null The onPremisesExtensionAttributes */ @@ -1055,7 +1055,7 @@ public function getOnPremisesExtensionAttributes() /** * Sets the onPremisesExtensionAttributes - * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. + * Contains extensionAttributes 1-15 for the user. Note that the individual extension attributes are neither selectable nor filterable. For an onPremisesSyncEnabled user, the source of authority for this set of properties is the on-premises and is read-only and is read-only. For a cloud-only user (where onPremisesSyncEnabled is false), these properties may be set during creation or update. These extension attributes are also known as Exchange custom attributes 1-15. Returned only on $select. * * @param OnPremisesExtensionAttributes $val The onPremisesExtensionAttributes * @@ -1069,7 +1069,7 @@ public function setOnPremisesExtensionAttributes($val) /** * Gets the onPremisesImmutableId - * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Supports $filter. + * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Returned only on $select. Supports $filter. * * @return string|null The onPremisesImmutableId */ @@ -1084,7 +1084,7 @@ public function getOnPremisesImmutableId() /** * Sets the onPremisesImmutableId - * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Supports $filter. + * This property is used to associate an on-premises Active Directory user account to their Azure AD user object. This property must be specified when creating a new user account in the Graph if you are using a federated domain for the user's userPrincipalName (UPN) property. Important: The $ and _ characters cannot be used when specifying this property. Returned only on $select. Supports $filter. * * @param string $val The onPremisesImmutableId * @@ -1098,7 +1098,7 @@ public function setOnPremisesImmutableId($val) /** * Gets the onPremisesLastSyncDateTime - * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Returned only on $select. Read-only. * * @return \DateTime|null The onPremisesLastSyncDateTime */ @@ -1117,7 +1117,7 @@ public function getOnPremisesLastSyncDateTime() /** * Sets the onPremisesLastSyncDateTime - * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Read-only. + * Indicates the last time at which the object was synced with the on-premises directory; for example: '2013-02-16T03:04:54Z'. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z. Returned only on $select. Read-only. * * @param \DateTime $val The onPremisesLastSyncDateTime * @@ -1132,7 +1132,7 @@ public function setOnPremisesLastSyncDateTime($val) /** * Gets the onPremisesProvisioningErrors - * Errors when using Microsoft synchronization product during provisioning. + * Errors when using Microsoft synchronization product during provisioning. Returned only on $select. * * @return array|null The onPremisesProvisioningErrors */ @@ -1147,7 +1147,7 @@ public function getOnPremisesProvisioningErrors() /** * Sets the onPremisesProvisioningErrors - * Errors when using Microsoft synchronization product during provisioning. + * Errors when using Microsoft synchronization product during provisioning. Returned only on $select. * * @param OnPremisesProvisioningError $val The onPremisesProvisioningErrors * @@ -1161,7 +1161,7 @@ public function setOnPremisesProvisioningErrors($val) /** * Gets the onPremisesSamAccountName - * Contains the on-premises samAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises sAMAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesSamAccountName */ @@ -1176,7 +1176,7 @@ public function getOnPremisesSamAccountName() /** * Sets the onPremisesSamAccountName - * Contains the on-premises samAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises sAMAccountName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesSamAccountName * @@ -1190,7 +1190,7 @@ public function setOnPremisesSamAccountName($val) /** * Gets the onPremisesSecurityIdentifier - * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Read-only. + * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Returned only on $select. Read-only. * * @return string|null The onPremisesSecurityIdentifier */ @@ -1205,7 +1205,7 @@ public function getOnPremisesSecurityIdentifier() /** * Sets the onPremisesSecurityIdentifier - * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Read-only. + * Contains the on-premises security identifier (SID) for the user that was synchronized from on-premises to the cloud. Returned only on $select. Read-only. * * @param string $val The onPremisesSecurityIdentifier * @@ -1219,7 +1219,7 @@ public function setOnPremisesSecurityIdentifier($val) /** * Gets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Read-only + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Returned only on $select. Read-only. * * @return bool|null The onPremisesSyncEnabled */ @@ -1234,7 +1234,7 @@ public function getOnPremisesSyncEnabled() /** * Sets the onPremisesSyncEnabled - * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Read-only + * true if this object is synced from an on-premises directory; false if this object was originally synced from an on-premises directory but is no longer synced; null if this object has never been synced from an on-premises directory (default). Returned only on $select. Read-only. * * @param bool $val The onPremisesSyncEnabled * @@ -1248,7 +1248,7 @@ public function setOnPremisesSyncEnabled($val) /** * Gets the onPremisesUserPrincipalName - * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @return string|null The onPremisesUserPrincipalName */ @@ -1263,7 +1263,7 @@ public function getOnPremisesUserPrincipalName() /** * Sets the onPremisesUserPrincipalName - * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Read-only. + * Contains the on-premises userPrincipalName synchronized from the on-premises directory. The property is only populated for customers who are synchronizing their on-premises directory to Azure Active Directory via Azure AD Connect. Returned only on $select. Read-only. * * @param string $val The onPremisesUserPrincipalName * @@ -1277,7 +1277,7 @@ public function setOnPremisesUserPrincipalName($val) /** * Gets the otherMails - * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com']. NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user. Supports $filter. + * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com'].NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user.Returned only on $select. Supports$filter. * * @return string|null The otherMails */ @@ -1292,7 +1292,7 @@ public function getOtherMails() /** * Sets the otherMails - * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com']. NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user. Supports $filter. + * A list of additional email addresses for the user; for example: ['bob@contoso.com', 'Robert@fabrikam.com'].NOTE: While this property can contain accent characters, they can cause access issues to first-party applications for the user.Returned only on $select. Supports$filter. * * @param string $val The otherMails * @@ -1306,7 +1306,7 @@ public function setOtherMails($val) /** * Gets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'.Returned only on $select. * * @return string|null The passwordPolicies */ @@ -1321,7 +1321,7 @@ public function getPasswordPolicies() /** * Sets the passwordPolicies - * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'. + * Specifies password policies for the user. This value is an enumeration with one possible value being 'DisableStrongPassword', which allows weaker passwords than the default policy to be specified. 'DisablePasswordExpiration' can also be specified. The two may be specified together; for example: 'DisablePasswordExpiration, DisableStrongPassword'.Returned only on $select. * * @param string $val The passwordPolicies * @@ -1335,7 +1335,7 @@ public function setPasswordPolicies($val) /** * Gets the passwordProfile - * Specifies the password profile for the user. The profile contains the user’s password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. Returned only on $select. * * @return PasswordProfile|null The passwordProfile */ @@ -1354,7 +1354,7 @@ public function getPasswordProfile() /** * Sets the passwordProfile - * Specifies the password profile for the user. The profile contains the user’s password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. + * Specifies the password profile for the user. The profile contains the user's password. This property is required when a user is created. The password in the profile must satisfy minimum requirements as specified by the passwordPolicies property. By default, a strong password is required. Returned only on $select. * * @param PasswordProfile $val The passwordProfile * @@ -1368,7 +1368,7 @@ public function setPasswordProfile($val) /** * Gets the postalCode - * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. + * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. Returned only on $select. * * @return string|null The postalCode */ @@ -1383,7 +1383,7 @@ public function getPostalCode() /** * Sets the postalCode - * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. + * The postal code for the user's postal address. The postal code is specific to the user's country/region. In the United States of America, this attribute contains the ZIP code. Maximum length is 40 characters. Returned only on $select. * * @param string $val The postalCode * @@ -1427,7 +1427,7 @@ public function setPreferredLanguage($val) /** * Gets the provisionedPlans - * The plans that are provisioned for the user. Read-only. Not nullable. + * The plans that are provisioned for the user. Returned only on $select. Read-only. Not nullable. * * @return array|null The provisionedPlans */ @@ -1442,7 +1442,7 @@ public function getProvisionedPlans() /** * Sets the provisionedPlans - * The plans that are provisioned for the user. Read-only. Not nullable. + * The plans that are provisioned for the user. Returned only on $select. Read-only. Not nullable. * * @param ProvisionedPlan $val The provisionedPlans * @@ -1456,7 +1456,7 @@ public function setProvisionedPlans($val) /** * Gets the proxyAddresses - * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Read-only, Not nullable. Supports $filter. + * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Returned only on $select. Read-only, Not nullable. Supports $filter. * * @return string|null The proxyAddresses */ @@ -1471,7 +1471,7 @@ public function getProxyAddresses() /** * Sets the proxyAddresses - * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Read-only, Not nullable. Supports $filter. + * For example: ['SMTP: bob@contoso.com', 'smtp: bob@sales.contoso.com'] The any operator is required for filter expressions on multi-valued properties. Returned only on $select. Read-only, Not nullable. Supports $filter. * * @param string $val The proxyAddresses * @@ -1485,7 +1485,7 @@ public function setProxyAddresses($val) /** * Gets the showInAddressList - * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. Returned only on $select. * * @return bool|null The showInAddressList */ @@ -1500,7 +1500,7 @@ public function getShowInAddressList() /** * Sets the showInAddressList - * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. + * true if the Outlook global address list should contain this user, otherwise false. If not set, this will be treated as true. For users invited through the invitation manager, this property will be set to false. Returned only on $select. * * @param bool $val The showInAddressList * @@ -1514,7 +1514,7 @@ public function setShowInAddressList($val) /** * Gets the signInSessionsValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Read-only. Use revokeSignInSessions to reset. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use revokeSignInSessions to reset. * * @return \DateTime|null The signInSessionsValidFromDateTime */ @@ -1533,7 +1533,7 @@ public function getSignInSessionsValidFromDateTime() /** * Sets the signInSessionsValidFromDateTime - * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Read-only. Use revokeSignInSessions to reset. + * Any refresh tokens or sessions tokens (session cookies) issued before this time are invalid, and applications will get an error when using an invalid refresh or sessions token to acquire a delegated access token (to access APIs such as Microsoft Graph). If this happens, the application will need to acquire a new refresh token by making a request to the authorize endpoint. Returned only on $select. Read-only. Use revokeSignInSessions to reset. * * @param \DateTime $val The signInSessionsValidFromDateTime * @@ -1547,7 +1547,7 @@ public function setSignInSessionsValidFromDateTime($val) /** * Gets the state - * The state or province in the user's address. Maximum length is 128 characters. Supports $filter. + * The state or province in the user's address. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @return string|null The state */ @@ -1562,7 +1562,7 @@ public function getState() /** * Sets the state - * The state or province in the user's address. Maximum length is 128 characters. Supports $filter. + * The state or province in the user's address. Maximum length is 128 characters. Returned only on $select. Supports $filter. * * @param string $val The state * @@ -1576,7 +1576,7 @@ public function setState($val) /** * Gets the streetAddress - * The street address of the user's place of business. Maximum length is 1024 characters. + * The street address of the user's place of business. Maximum length is 1024 characters. Returned only on $select. * * @return string|null The streetAddress */ @@ -1591,7 +1591,7 @@ public function getStreetAddress() /** * Sets the streetAddress - * The street address of the user's place of business. Maximum length is 1024 characters. + * The street address of the user's place of business. Maximum length is 1024 characters. Returned only on $select. * * @param string $val The streetAddress * @@ -1605,7 +1605,7 @@ public function setStreetAddress($val) /** * Gets the surname - * The user's surname (family name or last name). Returned by default. Maximum length is 64 characters. Supports $filter. + * The user's surname (family name or last name). Maximum length is 64 characters. Returned by default. Supports $filter. * * @return string|null The surname */ @@ -1620,7 +1620,7 @@ public function getSurname() /** * Sets the surname - * The user's surname (family name or last name). Returned by default. Maximum length is 64 characters. Supports $filter. + * The user's surname (family name or last name). Maximum length is 64 characters. Returned by default. Supports $filter. * * @param string $val The surname * @@ -1634,7 +1634,7 @@ public function setSurname($val) /** * Gets the usageLocation - * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Returned only on $select. Supports $filter. * * @return string|null The usageLocation */ @@ -1649,7 +1649,7 @@ public function getUsageLocation() /** * Sets the usageLocation - * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Supports $filter. + * A two letter country code (ISO standard 3166). Required for users that will be assigned licenses due to legal requirement to check for availability of services in countries. Examples include: 'US', 'JP', and 'GB'. Not nullable. Returned only on $select. Supports $filter. * * @param string $val The usageLocation * @@ -1692,7 +1692,7 @@ public function setUserPrincipalName($val) /** * Gets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Returned only on $select. Supports $filter. * * @return string|null The userType */ @@ -1707,7 +1707,7 @@ public function getUserType() /** * Sets the userType - * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Supports $filter. + * A string value that can be used to classify user types in your directory, such as 'Member' and 'Guest'. Returned only on $select. Supports $filter. * * @param string $val The userType * @@ -1721,7 +1721,7 @@ public function setUserType($val) /** * Gets the mailboxSettings - * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale and time zone.Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). + * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale, and time zone. Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). * * @return MailboxSettings|null The mailboxSettings */ @@ -1740,7 +1740,7 @@ public function getMailboxSettings() /** * Sets the mailboxSettings - * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale and time zone.Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). + * Settings for the primary mailbox of the signed-in user. You can get or update settings for sending automatic replies to incoming messages, locale, and time zone. Returned only on $select. Supported only on the Get user API (GET /users/{id} or GET /me). * * @param MailboxSettings $val The mailboxSettings * @@ -1783,7 +1783,7 @@ public function setDeviceEnrollmentLimit($val) /** * Gets the aboutMe - * A freeform text entry field for the user to describe themselves. + * A freeform text entry field for the user to describe themselves. Returned only on $select. * * @return string|null The aboutMe */ @@ -1798,7 +1798,7 @@ public function getAboutMe() /** * Sets the aboutMe - * A freeform text entry field for the user to describe themselves. + * A freeform text entry field for the user to describe themselves. Returned only on $select. * * @param string $val The aboutMe * @@ -1812,7 +1812,7 @@ public function setAboutMe($val) /** * Gets the birthday - * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. * * @return \DateTime|null The birthday */ @@ -1831,7 +1831,7 @@ public function getBirthday() /** * Sets the birthday - * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z + * The birthday of the user. The Timestamp type represents date and time information using ISO 8601 format and is always in UTC time. For example, midnight UTC on Jan 1, 2014 is 2014-01-01T00:00:00Z Returned only on $select. * * @param \DateTime $val The birthday * @@ -1878,7 +1878,7 @@ public function setHireDate($val) /** * Gets the interests - * A list for the user to describe their interests. + * A list for the user to describe their interests. Returned only on $select. * * @return string|null The interests */ @@ -1893,7 +1893,7 @@ public function getInterests() /** * Sets the interests - * A list for the user to describe their interests. + * A list for the user to describe their interests. Returned only on $select. * * @param string $val The interests * @@ -1907,7 +1907,7 @@ public function setInterests($val) /** * Gets the mySite - * The URL for the user's personal site. + * The URL for the user's personal site. Returned only on $select. * * @return string|null The mySite */ @@ -1922,7 +1922,7 @@ public function getMySite() /** * Sets the mySite - * The URL for the user's personal site. + * The URL for the user's personal site. Returned only on $select. * * @param string $val The mySite * @@ -1936,7 +1936,7 @@ public function setMySite($val) /** * Gets the pastProjects - * A list for the user to enumerate their past projects. + * A list for the user to enumerate their past projects. Returned only on $select. * * @return string|null The pastProjects */ @@ -1951,7 +1951,7 @@ public function getPastProjects() /** * Sets the pastProjects - * A list for the user to enumerate their past projects. + * A list for the user to enumerate their past projects. Returned only on $select. * * @param string $val The pastProjects * @@ -1965,7 +1965,7 @@ public function setPastProjects($val) /** * Gets the preferredName - * The preferred name for the user. + * The preferred name for the user. Returned only on $select. * * @return string|null The preferredName */ @@ -1980,7 +1980,7 @@ public function getPreferredName() /** * Sets the preferredName - * The preferred name for the user. + * The preferred name for the user. Returned only on $select. * * @param string $val The preferredName * @@ -1994,7 +1994,7 @@ public function setPreferredName($val) /** * Gets the responsibilities - * A list for the user to enumerate their responsibilities. + * A list for the user to enumerate their responsibilities. Returned only on $select. * * @return string|null The responsibilities */ @@ -2009,7 +2009,7 @@ public function getResponsibilities() /** * Sets the responsibilities - * A list for the user to enumerate their responsibilities. + * A list for the user to enumerate their responsibilities. Returned only on $select. * * @param string $val The responsibilities * @@ -2023,7 +2023,7 @@ public function setResponsibilities($val) /** * Gets the schools - * A list for the user to enumerate the schools they have attended. + * A list for the user to enumerate the schools they have attended. Returned only on $select. * * @return string|null The schools */ @@ -2038,7 +2038,7 @@ public function getSchools() /** * Sets the schools - * A list for the user to enumerate the schools they have attended. + * A list for the user to enumerate the schools they have attended. Returned only on $select. * * @param string $val The schools * @@ -2052,7 +2052,7 @@ public function setSchools($val) /** * Gets the skills - * A list for the user to enumerate their skills. + * A list for the user to enumerate their skills. Returned only on $select. * * @return string|null The skills */ @@ -2067,7 +2067,7 @@ public function getSkills() /** * Sets the skills - * A list for the user to enumerate their skills. + * A list for the user to enumerate their skills. Returned only on $select. * * @param string $val The skills * @@ -2235,7 +2235,7 @@ public function setManager($val) /** * Gets the memberOf - * The groups and directory roles that the user is a member of. Read-only. Nullable. + * The groups, directory roles and administrative units that the user is a member of. Read-only. Nullable. * * @return array|null The memberOf */ @@ -2250,7 +2250,7 @@ public function getMemberOf() /** * Sets the memberOf - * The groups and directory roles that the user is a member of. Read-only. Nullable. + * The groups, directory roles and administrative units that the user is a member of. Read-only. Nullable. * * @param DirectoryObject $val The memberOf * @@ -2624,7 +2624,7 @@ public function setContacts($val) /** * Gets the events - * The user's events. Default is to show Events under the Default Calendar. Read-only. Nullable. + * The user's events. Default is to show events under the Default Calendar. Read-only. Nullable. * * @return array|null The events */ @@ -2639,7 +2639,7 @@ public function getEvents() /** * Sets the events - * The user's events. Default is to show Events under the Default Calendar. Read-only. Nullable. + * The user's events. Default is to show events under the Default Calendar. Read-only. Nullable. * * @param Event $val The events * @@ -2746,7 +2746,7 @@ public function setMessages($val) /** * Gets the outlook - * Read-only. + * Selective Outlook services available to the user. Read-only. Nullable. * * @return OutlookUser|null The outlook */ @@ -2765,7 +2765,7 @@ public function getOutlook() /** * Sets the outlook - * Read-only. + * Selective Outlook services available to the user. Read-only. Nullable. * * @param OutlookUser $val The outlook * @@ -2780,7 +2780,7 @@ public function setOutlook($val) /** * Gets the people - * People that are relevant to the user. Read-only. Nullable. + * Read-only. The most relevant people to the user. The collection is ordered by their relevance to the user, which is determined by the user's communication, collaboration and business relationships. A person is an aggregation of information from across mail, contacts and social networks. * * @return array|null The people */ @@ -2795,7 +2795,7 @@ public function getPeople() /** * Sets the people - * People that are relevant to the user. Read-only. Nullable. + * Read-only. The most relevant people to the user. The collection is ordered by their relevance to the user, which is determined by the user's communication, collaboration and business relationships. A person is an aggregation of information from across mail, contacts and social networks. * * @param Person $val The people * @@ -2964,7 +2964,7 @@ public function setFollowedSites($val) /** * Gets the extensions - * The collection of open extensions defined for the user. Read-only. Nullable. + * The collection of open extensions defined for the user. Nullable. * * @return array|null The extensions */ @@ -2979,7 +2979,7 @@ public function getExtensions() /** * Sets the extensions - * The collection of open extensions defined for the user. Read-only. Nullable. + * The collection of open extensions defined for the user. Nullable. * * @param Extension $val The extensions * @@ -3113,7 +3113,7 @@ public function setDeviceManagementTroubleshootingEvents($val) /** * Gets the planner - * Entry-point to the Planner resource that might exist for a user. Read-only. + * Selective Planner services available to the user. Read-only. Nullable. * * @return PlannerUser|null The planner */ @@ -3132,7 +3132,7 @@ public function getPlanner() /** * Sets the planner - * Entry-point to the Planner resource that might exist for a user. Read-only. + * Selective Planner services available to the user. Read-only. Nullable. * * @param PlannerUser $val The planner * diff --git a/src/Model/UserAttributeValuesItem.php b/src/Model/UserAttributeValuesItem.php index 8a8887584fc..9444eadfd09 100644 --- a/src/Model/UserAttributeValuesItem.php +++ b/src/Model/UserAttributeValuesItem.php @@ -25,7 +25,7 @@ class UserAttributeValuesItem extends Entity { /** * Gets the isDefault - * Determines whether the value is set as the default. + * Used to set the value as the default. * * @return bool|null The isDefault */ @@ -40,7 +40,7 @@ public function getIsDefault() /** * Sets the isDefault - * Determines whether the value is set as the default. + * Used to set the value as the default. * * @param bool $val The value of the isDefault * @@ -53,7 +53,7 @@ public function setIsDefault($val) } /** * Gets the name - * The display name of the property displayed to the user in the user flow. + * The display name of the property displayed to the end user in the user flow. * * @return string|null The name */ @@ -68,7 +68,7 @@ public function getName() /** * Sets the name - * The display name of the property displayed to the user in the user flow. + * The display name of the property displayed to the end user in the user flow. * * @param string $val The value of the name * diff --git a/src/Model/VppToken.php b/src/Model/VppToken.php index 29eab152640..92742afac9d 100644 --- a/src/Model/VppToken.php +++ b/src/Model/VppToken.php @@ -179,7 +179,7 @@ public function setLastModifiedDateTime($val) /** * Gets the lastSyncDateTime - * The last time when an application sync was done with the Apple volume purchase program service using the Apple Volume Purchase Program Token. + * The last time when an application sync was done with the Apple volume purchase program service using the the Apple Volume Purchase Program Token. * * @return \DateTime|null The lastSyncDateTime */ @@ -198,7 +198,7 @@ public function getLastSyncDateTime() /** * Sets the lastSyncDateTime - * The last time when an application sync was done with the Apple volume purchase program service using the Apple Volume Purchase Program Token. + * The last time when an application sync was done with the Apple volume purchase program service using the the Apple Volume Purchase Program Token. * * @param \DateTime $val The lastSyncDateTime * @@ -274,7 +274,7 @@ public function setOrganizationName($val) /** * Gets the state - * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. + * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM, duplicateLocationId. * * @return VppTokenState|null The state */ @@ -293,7 +293,7 @@ public function getState() /** * Sets the state - * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. + * Current state of the Apple Volume Purchase Program Token. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM. Possible values are: unknown, valid, expired, invalid, assignedToExternalMDM, duplicateLocationId. * * @param VppTokenState $val The state * diff --git a/src/Model/WebApp.php b/src/Model/WebApp.php index 5c17f60e422..4025070be34 100644 --- a/src/Model/WebApp.php +++ b/src/Model/WebApp.php @@ -26,7 +26,7 @@ class WebApp extends MobileApp { /** * Gets the appUrl - * The web app URL. + * The web app URL. This property cannot be PATCHed. * * @return string|null The appUrl */ @@ -41,7 +41,7 @@ public function getAppUrl() /** * Sets the appUrl - * The web app URL. + * The web app URL. This property cannot be PATCHed. * * @param string $val The appUrl * diff --git a/src/Model/Website.php b/src/Model/Website.php index 4fdefafd423..f6a2b9f6cbc 100644 --- a/src/Model/Website.php +++ b/src/Model/Website.php @@ -82,7 +82,7 @@ public function setDisplayName($val) /** * Gets the type - * The possible values are: other, home, work, blog, profile. + * Possible values are: other, home, work, blog, profile. * * @return WebsiteType|null The type */ @@ -101,7 +101,7 @@ public function getType() /** * Sets the type - * The possible values are: other, home, work, blog, profile. + * Possible values are: other, home, work, blog, profile. * * @param WebsiteType $val The value to assign to the type * diff --git a/src/Model/Win32LobApp.php b/src/Model/Win32LobApp.php index 4db5911e385..fa1cf1c5bda 100644 --- a/src/Model/Win32LobApp.php +++ b/src/Model/Win32LobApp.php @@ -26,7 +26,7 @@ class Win32LobApp extends MobileLobApp { /** * Gets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @return WindowsArchitecture|null The applicableArchitectures */ @@ -45,7 +45,7 @@ public function getApplicableArchitectures() /** * Sets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @param WindowsArchitecture $val The applicableArchitectures * diff --git a/src/Model/Win32LobAppFileSystemRule.php b/src/Model/Win32LobAppFileSystemRule.php index e5b26e25539..71d52a9c614 100644 --- a/src/Model/Win32LobAppFileSystemRule.php +++ b/src/Model/Win32LobAppFileSystemRule.php @@ -119,7 +119,7 @@ public function setFileOrFolderName($val) /** * Gets the operationType - * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB. + * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB, doesNotExist. * * @return Win32LobAppFileSystemOperationType|null The operationType */ @@ -138,7 +138,7 @@ public function getOperationType() /** * Sets the operationType - * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB. + * The file system operation type. Possible values are: notConfigured, exists, modifiedDate, createdDate, version, sizeInMB, doesNotExist. * * @param Win32LobAppFileSystemOperationType $val The value to assign to the operationType * diff --git a/src/Model/Windows10EndpointProtectionConfiguration.php b/src/Model/Windows10EndpointProtectionConfiguration.php index c8aad25a37a..0304c357b6b 100644 --- a/src/Model/Windows10EndpointProtectionConfiguration.php +++ b/src/Model/Windows10EndpointProtectionConfiguration.php @@ -1056,7 +1056,7 @@ public function setFirewallProfilePublic($val) /** * Gets the smartScreenBlockOverrideForFiles - * Allows IT Admins to control whether users can ignore SmartScreen warnings and run malicious files. + * Allows IT Admins to control whether users can can ignore SmartScreen warnings and run malicious files. * * @return bool|null The smartScreenBlockOverrideForFiles */ @@ -1071,7 +1071,7 @@ public function getSmartScreenBlockOverrideForFiles() /** * Sets the smartScreenBlockOverrideForFiles - * Allows IT Admins to control whether users can ignore SmartScreen warnings and run malicious files. + * Allows IT Admins to control whether users can can ignore SmartScreen warnings and run malicious files. * * @param bool $val The smartScreenBlockOverrideForFiles * diff --git a/src/Model/Windows10GeneralConfiguration.php b/src/Model/Windows10GeneralConfiguration.php index d48a723b121..1f8b2a4b161 100644 --- a/src/Model/Windows10GeneralConfiguration.php +++ b/src/Model/Windows10GeneralConfiguration.php @@ -1276,7 +1276,7 @@ public function setDefenderSignatureUpdateIntervalInHours($val) /** * Gets the defenderSystemScanSchedule - * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @return WeeklySchedule|null The defenderSystemScanSchedule */ @@ -1295,7 +1295,7 @@ public function getDefenderSystemScanSchedule() /** * Sets the defenderSystemScanSchedule - * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Defender day of the week for the system scan. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @param WeeklySchedule $val The defenderSystemScanSchedule * @@ -4328,7 +4328,7 @@ public function setSmartScreenBlockPromptOverrideForFiles($val) /** * Gets the smartScreenEnableAppInstallControl - * Allows IT Admins to control whether users are allowed to install apps from places other than the Store. + * This property will be deprecated in July 2019 and will be replaced by property SmartScreenAppInstallControl. Allows IT Admins to control whether users are allowed to install apps from places other than the Store. * * @return bool|null The smartScreenEnableAppInstallControl */ @@ -4343,7 +4343,7 @@ public function getSmartScreenEnableAppInstallControl() /** * Sets the smartScreenEnableAppInstallControl - * Allows IT Admins to control whether users are allowed to install apps from places other than the Store. + * This property will be deprecated in July 2019 and will be replaced by property SmartScreenAppInstallControl. Allows IT Admins to control whether users are allowed to install apps from places other than the Store. * * @param bool $val The smartScreenEnableAppInstallControl * diff --git a/src/Model/Windows10NetworkProxyServer.php b/src/Model/Windows10NetworkProxyServer.php index e589ca0cfbd..3209ba9b840 100644 --- a/src/Model/Windows10NetworkProxyServer.php +++ b/src/Model/Windows10NetworkProxyServer.php @@ -25,7 +25,7 @@ class Windows10NetworkProxyServer extends Entity { /** * Gets the address - * Address to the proxy server. Specify an address in the format &lt;server&gt;[:&lt;port&gt;] + * Address to the proxy server. Specify an address in the format [':'] * * @return string|null The address */ @@ -40,7 +40,7 @@ public function getAddress() /** * Sets the address - * Address to the proxy server. Specify an address in the format &lt;server&gt;[:&lt;port&gt;] + * Address to the proxy server. Specify an address in the format [':'] * * @param string $val The value of the address * diff --git a/src/Model/WindowsInformationProtectionIPRangeCollection.php b/src/Model/WindowsInformationProtectionIPRangeCollection.php index 6bf4a210361..c9b9a22eb84 100644 --- a/src/Model/WindowsInformationProtectionIPRangeCollection.php +++ b/src/Model/WindowsInformationProtectionIPRangeCollection.php @@ -54,7 +54,7 @@ public function setDisplayName($val) /** * Gets the ranges - * Collection of Internet protocol address ranges + * Collection of ip ranges * * @return IpRange|null The ranges */ @@ -73,7 +73,7 @@ public function getRanges() /** * Sets the ranges - * Collection of Internet protocol address ranges + * Collection of ip ranges * * @param IpRange $val The value to assign to the ranges * diff --git a/src/Model/WindowsUniversalAppX.php b/src/Model/WindowsUniversalAppX.php index d2024cdcecc..1fee57df4a4 100644 --- a/src/Model/WindowsUniversalAppX.php +++ b/src/Model/WindowsUniversalAppX.php @@ -26,7 +26,7 @@ class WindowsUniversalAppX extends MobileLobApp { /** * Gets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @return WindowsArchitecture|null The applicableArchitectures */ @@ -45,7 +45,7 @@ public function getApplicableArchitectures() /** * Sets the applicableArchitectures - * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral. + * The Windows architecture(s) for which this app can run on. Possible values are: none, x86, x64, arm, neutral, arm64. * * @param WindowsArchitecture $val The applicableArchitectures * diff --git a/src/Model/WindowsUpdateForBusinessConfiguration.php b/src/Model/WindowsUpdateForBusinessConfiguration.php index ab73f35a202..b622e4e6283 100644 --- a/src/Model/WindowsUpdateForBusinessConfiguration.php +++ b/src/Model/WindowsUpdateForBusinessConfiguration.php @@ -26,7 +26,7 @@ class WindowsUpdateForBusinessConfiguration extends DeviceConfiguration { /** * Gets the automaticUpdateMode - * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl. + * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl, windowsDefault. * * @return AutomaticUpdateMode|null The automaticUpdateMode */ @@ -45,7 +45,7 @@ public function getAutomaticUpdateMode() /** * Sets the automaticUpdateMode - * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl. + * Automatic update mode. Possible values are: userDefined, notifyDownload, autoInstallAtMaintenanceTime, autoInstallAndRebootAtMaintenanceTime, autoInstallAndRebootAtScheduledTime, autoInstallAndRebootWithoutEndUserControl, windowsDefault. * * @param AutomaticUpdateMode $val The automaticUpdateMode * diff --git a/src/Model/WindowsUpdateScheduledInstall.php b/src/Model/WindowsUpdateScheduledInstall.php index e78f59261ae..074ab67df9f 100644 --- a/src/Model/WindowsUpdateScheduledInstall.php +++ b/src/Model/WindowsUpdateScheduledInstall.php @@ -35,7 +35,7 @@ public function __construct() /** * Gets the scheduledInstallDay - * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @return WeeklySchedule|null The scheduledInstallDay */ @@ -54,7 +54,7 @@ public function getScheduledInstallDay() /** * Sets the scheduledInstallDay - * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday. + * Scheduled Install Day in week. Possible values are: userDefined, everyday, sunday, monday, tuesday, wednesday, thursday, friday, saturday, noScheduledScan. * * @param WeeklySchedule $val The value to assign to the scheduledInstallDay * diff --git a/src/Model/Workbook.php b/src/Model/Workbook.php index 68035974f56..da0485cb34d 100644 --- a/src/Model/Workbook.php +++ b/src/Model/Workbook.php @@ -147,7 +147,7 @@ public function setNames($val) /** * Gets the operations - * The status of workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. + * The status of Workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. Nullable. * * @return array|null The operations */ @@ -162,7 +162,7 @@ public function getOperations() /** * Sets the operations - * The status of workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. + * The status of Workbook operations. Getting an operation collection is not supported, but you can get the status of a long-running operation if the Location header is returned in the response. Read-only. Nullable. * * @param WorkbookOperation $val The operations * diff --git a/src/Model/WorkbookComment.php b/src/Model/WorkbookComment.php index bf02ccc1d8f..1b115ca18c7 100644 --- a/src/Model/WorkbookComment.php +++ b/src/Model/WorkbookComment.php @@ -26,7 +26,7 @@ class WorkbookComment extends Entity { /** * Gets the content - * The content of comment. + * The content of the comment. * * @return string|null The content */ @@ -41,7 +41,7 @@ public function getContent() /** * Sets the content - * The content of comment. + * The content of the comment. * * @param string $val The content * diff --git a/src/Model/WorkbookCommentReply.php b/src/Model/WorkbookCommentReply.php index 282d30b7945..1605cf43c0c 100644 --- a/src/Model/WorkbookCommentReply.php +++ b/src/Model/WorkbookCommentReply.php @@ -26,7 +26,7 @@ class WorkbookCommentReply extends Entity { /** * Gets the content - * The content of a comment reply. + * The content of replied comment. * * @return string|null The content */ @@ -41,7 +41,7 @@ public function getContent() /** * Sets the content - * The content of a comment reply. + * The content of replied comment. * * @param string $val The content * @@ -55,7 +55,7 @@ public function setContent($val) /** * Gets the contentType - * Indicates the type for the comment reply. + * Indicates the type for the replied comment. * * @return string|null The contentType */ @@ -70,7 +70,7 @@ public function getContentType() /** * Sets the contentType - * Indicates the type for the comment reply. + * Indicates the type for the replied comment. * * @param string $val The contentType * diff --git a/src/Model/WorkbookIcon.php b/src/Model/WorkbookIcon.php index 85f0805b4ca..51a62d4cd2b 100644 --- a/src/Model/WorkbookIcon.php +++ b/src/Model/WorkbookIcon.php @@ -53,7 +53,7 @@ public function setIndex($val) } /** * Gets the set - * Represents the set that the icon is part of. The possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. + * Represents the set that the icon is part of. Possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. * * @return string|null The set */ @@ -68,7 +68,7 @@ public function getSet() /** * Sets the set - * Represents the set that the icon is part of. The possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. + * Represents the set that the icon is part of. Possible values are: Invalid, ThreeArrows, ThreeArrowsGray, ThreeFlags, ThreeTrafficLights1, ThreeTrafficLights2, ThreeSigns, ThreeSymbols, ThreeSymbols2, FourArrows, FourArrowsGray, FourRedToBlack, FourRating, FourTrafficLights, FiveArrows, FiveArrowsGray, FiveRating, FiveQuarters, ThreeStars, ThreeTriangles, FiveBoxes. * * @param string $val The value of the set * diff --git a/src/Model/WorkbookNamedItem.php b/src/Model/WorkbookNamedItem.php index f030458028c..ce0ee09fd23 100644 --- a/src/Model/WorkbookNamedItem.php +++ b/src/Model/WorkbookNamedItem.php @@ -113,7 +113,7 @@ public function setScope($val) /** * Gets the type - * Indicates what type of reference is associated with the name. The possible values are: String, Integer, Double, Boolean, Range. Read-only. + * Indicates what type of reference is associated with the name. Possible values are: String, Integer, Double, Boolean, Range. Read-only. * * @return string|null The type */ @@ -128,7 +128,7 @@ public function getType() /** * Sets the type - * Indicates what type of reference is associated with the name. The possible values are: String, Integer, Double, Boolean, Range. Read-only. + * Indicates what type of reference is associated with the name. Possible values are: String, Integer, Double, Boolean, Range. Read-only. * * @param string $val The type * diff --git a/src/Model/WorkbookOperation.php b/src/Model/WorkbookOperation.php index d9ad066a675..6a60b76215e 100644 --- a/src/Model/WorkbookOperation.php +++ b/src/Model/WorkbookOperation.php @@ -88,7 +88,7 @@ public function setResourceLocation($val) /** * Gets the status - * The current status of the operation. Possible values are: NotStarted, Running, Completed, Failed. + * The current status of the operation. Possible values are: notStarted, running, succeeded, failed. * * @return WorkbookOperationStatus|null The status */ @@ -107,7 +107,7 @@ public function getStatus() /** * Sets the status - * The current status of the operation. Possible values are: NotStarted, Running, Completed, Failed. + * The current status of the operation. Possible values are: notStarted, running, succeeded, failed. * * @param WorkbookOperationStatus $val The status * diff --git a/src/Model/WorkbookRange.php b/src/Model/WorkbookRange.php index 5e9e5544556..28cd9d23d4d 100644 --- a/src/Model/WorkbookRange.php +++ b/src/Model/WorkbookRange.php @@ -490,7 +490,7 @@ public function setValues($val) /** * Gets the valueTypes - * Represents the type of data of each cell. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. + * Represents the type of data of each cell. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. * * @return string|null The valueTypes */ @@ -505,7 +505,7 @@ public function getValueTypes() /** * Sets the valueTypes - * Represents the type of data of each cell. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. + * Represents the type of data of each cell. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. Read-only. * * @param string $val The valueTypes * diff --git a/src/Model/WorkbookRangeBorder.php b/src/Model/WorkbookRangeBorder.php index b1e76ba4fd3..ecbeb2b18eb 100644 --- a/src/Model/WorkbookRangeBorder.php +++ b/src/Model/WorkbookRangeBorder.php @@ -55,7 +55,7 @@ public function setColor($val) /** * Gets the sideIndex - * Constant value that indicates the specific side of the border. The possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. + * Constant value that indicates the specific side of the border. Possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. * * @return string|null The sideIndex */ @@ -70,7 +70,7 @@ public function getSideIndex() /** * Sets the sideIndex - * Constant value that indicates the specific side of the border. The possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. + * Constant value that indicates the specific side of the border. Possible values are: EdgeTop, EdgeBottom, EdgeLeft, EdgeRight, InsideVertical, InsideHorizontal, DiagonalDown, DiagonalUp. Read-only. * * @param string $val The sideIndex * @@ -84,7 +84,7 @@ public function setSideIndex($val) /** * Gets the style - * One of the constants of line style specifying the line style for the border. The possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. + * One of the constants of line style specifying the line style for the border. Possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. * * @return string|null The style */ @@ -99,7 +99,7 @@ public function getStyle() /** * Sets the style - * One of the constants of line style specifying the line style for the border. The possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. + * One of the constants of line style specifying the line style for the border. Possible values are: None, Continuous, Dash, DashDot, DashDotDot, Dot, Double, SlantDashDot. * * @param string $val The style * @@ -113,7 +113,7 @@ public function setStyle($val) /** * Gets the weight - * Specifies the weight of the border around a range. The possible values are: Hairline, Thin, Medium, Thick. + * Specifies the weight of the border around a range. Possible values are: Hairline, Thin, Medium, Thick. * * @return string|null The weight */ @@ -128,7 +128,7 @@ public function getWeight() /** * Sets the weight - * Specifies the weight of the border around a range. The possible values are: Hairline, Thin, Medium, Thick. + * Specifies the weight of the border around a range. Possible values are: Hairline, Thin, Medium, Thick. * * @param string $val The weight * diff --git a/src/Model/WorkbookRangeFont.php b/src/Model/WorkbookRangeFont.php index 686ab197c97..5e30cc8ac28 100644 --- a/src/Model/WorkbookRangeFont.php +++ b/src/Model/WorkbookRangeFont.php @@ -171,7 +171,7 @@ public function setSize($val) /** * Gets the underline - * Type of underline applied to the font. The possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. + * Type of underline applied to the font. Possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. * * @return string|null The underline */ @@ -186,7 +186,7 @@ public function getUnderline() /** * Sets the underline - * Type of underline applied to the font. The possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. + * Type of underline applied to the font. Possible values are: None, Single, Double, SingleAccountant, DoubleAccountant. * * @param string $val The underline * diff --git a/src/Model/WorkbookRangeFormat.php b/src/Model/WorkbookRangeFormat.php index c592da7e0a0..fb41e9291d8 100644 --- a/src/Model/WorkbookRangeFormat.php +++ b/src/Model/WorkbookRangeFormat.php @@ -55,7 +55,7 @@ public function setColumnWidth($val) /** * Gets the horizontalAlignment - * Represents the horizontal alignment for the specified object. The possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. + * Represents the horizontal alignment for the specified object. Possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. * * @return string|null The horizontalAlignment */ @@ -70,7 +70,7 @@ public function getHorizontalAlignment() /** * Sets the horizontalAlignment - * Represents the horizontal alignment for the specified object. The possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. + * Represents the horizontal alignment for the specified object. Possible values are: General, Left, Center, Right, Fill, Justify, CenterAcrossSelection, Distributed. * * @param string $val The horizontalAlignment * @@ -113,7 +113,7 @@ public function setRowHeight($val) /** * Gets the verticalAlignment - * Represents the vertical alignment for the specified object. The possible values are: Top, Center, Bottom, Justify, Distributed. + * Represents the vertical alignment for the specified object. Possible values are: Top, Center, Bottom, Justify, Distributed. * * @return string|null The verticalAlignment */ @@ -128,7 +128,7 @@ public function getVerticalAlignment() /** * Sets the verticalAlignment - * Represents the vertical alignment for the specified object. The possible values are: Top, Center, Bottom, Justify, Distributed. + * Represents the vertical alignment for the specified object. Possible values are: Top, Center, Bottom, Justify, Distributed. * * @param string $val The verticalAlignment * diff --git a/src/Model/WorkbookRangeView.php b/src/Model/WorkbookRangeView.php index 0053673c645..c1e5baf64d1 100644 --- a/src/Model/WorkbookRangeView.php +++ b/src/Model/WorkbookRangeView.php @@ -316,7 +316,7 @@ public function setValues($val) /** * Gets the valueTypes - * Represents the type of data of each cell. Read-only. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. + * Represents the type of data of each cell. Read-only. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. * * @return string|null The valueTypes */ @@ -331,7 +331,7 @@ public function getValueTypes() /** * Sets the valueTypes - * Represents the type of data of each cell. Read-only. The possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. + * Represents the type of data of each cell. Read-only. Possible values are: Unknown, Empty, String, Integer, Double, Boolean, Error. * * @param string $val The valueTypes * diff --git a/src/Model/WorkbookSortField.php b/src/Model/WorkbookSortField.php index bd262a78d42..11a997b733e 100644 --- a/src/Model/WorkbookSortField.php +++ b/src/Model/WorkbookSortField.php @@ -81,7 +81,7 @@ public function setColor($val) } /** * Gets the dataOption - * Represents additional sorting options for this field. The possible values are: Normal, TextAsNumber. + * Represents additional sorting options for this field. Possible values are: Normal, TextAsNumber. * * @return string|null The dataOption */ @@ -96,7 +96,7 @@ public function getDataOption() /** * Sets the dataOption - * Represents additional sorting options for this field. The possible values are: Normal, TextAsNumber. + * Represents additional sorting options for this field. Possible values are: Normal, TextAsNumber. * * @param string $val The value of the dataOption * @@ -170,7 +170,7 @@ public function setKey($val) } /** * Gets the sortOn - * Represents the type of sorting of this condition. The possible values are: Value, CellColor, FontColor, Icon. + * Represents the type of sorting of this condition. Possible values are: Value, CellColor, FontColor, Icon. * * @return string|null The sortOn */ @@ -185,7 +185,7 @@ public function getSortOn() /** * Sets the sortOn - * Represents the type of sorting of this condition. The possible values are: Value, CellColor, FontColor, Icon. + * Represents the type of sorting of this condition. Possible values are: Value, CellColor, FontColor, Icon. * * @param string $val The value of the sortOn * diff --git a/src/Model/WorkbookTable.php b/src/Model/WorkbookTable.php index 20d99aefb13..9a6ca092e5c 100644 --- a/src/Model/WorkbookTable.php +++ b/src/Model/WorkbookTable.php @@ -287,7 +287,7 @@ public function setShowTotals($val) /** * Gets the style - * Constant value that represents the Table style. The possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. + * Constant value that represents the Table style. Possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. * * @return string|null The style */ @@ -302,7 +302,7 @@ public function getStyle() /** * Sets the style - * Constant value that represents the Table style. The possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. + * Constant value that represents the Table style. Possible values are: TableStyleLight1 thru TableStyleLight21, TableStyleMedium1 thru TableStyleMedium28, TableStyleStyleDark1 thru TableStyleStyleDark11. A custom user-defined style present in the workbook can also be specified. * * @param string $val The style * diff --git a/src/Model/WorkbookTableSort.php b/src/Model/WorkbookTableSort.php index d5d8fda2e75..a7e930f8470 100644 --- a/src/Model/WorkbookTableSort.php +++ b/src/Model/WorkbookTableSort.php @@ -85,7 +85,7 @@ public function setMatchCase($val) /** * Gets the method - * Represents Chinese character ordering method last used to sort the table. The possible values are: PinYin, StrokeCount. Read-only. + * Represents Chinese character ordering method last used to sort the table. Possible values are: PinYin, StrokeCount. Read-only. * * @return string|null The method */ @@ -100,7 +100,7 @@ public function getMethod() /** * Sets the method - * Represents Chinese character ordering method last used to sort the table. The possible values are: PinYin, StrokeCount. Read-only. + * Represents Chinese character ordering method last used to sort the table. Possible values are: PinYin, StrokeCount. Read-only. * * @param string $val The method * diff --git a/src/Model/WorkforceIntegration.php b/src/Model/WorkforceIntegration.php index 660740814e2..190f0f6f041 100644 --- a/src/Model/WorkforceIntegration.php +++ b/src/Model/WorkforceIntegration.php @@ -146,7 +146,7 @@ public function setIsActive($val) /** * Gets the supportedEntities - * The Shifts entities supported for synchronous change notifications. Shifts will make a call back to the url provided on client changes on those entities added here. By default, no entities are supported for change notifications. Possible values are: none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences + * This property will replace supports in v1.0. We recommend that you use this property instead of supports. The supports property will still be supported in beta for the time being. Possible values are none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences. If selecting more than one value, all values must start with the first letter in uppercase. * * @return WorkforceIntegrationSupportedEntities|null The supportedEntities */ @@ -165,7 +165,7 @@ public function getSupportedEntities() /** * Sets the supportedEntities - * The Shifts entities supported for synchronous change notifications. Shifts will make a call back to the url provided on client changes on those entities added here. By default, no entities are supported for change notifications. Possible values are: none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences + * This property will replace supports in v1.0. We recommend that you use this property instead of supports. The supports property will still be supported in beta for the time being. Possible values are none, shift, swapRequest, openshift, openShiftRequest, userShiftPreferences. If selecting more than one value, all values must start with the first letter in uppercase. * * @param WorkforceIntegrationSupportedEntities $val The supportedEntities * From 90a35abdd80036c080295d02edf0295d45b7cb87 Mon Sep 17 00:00:00 2001 From: Philip Gichuhi Date: Thu, 13 May 2021 16:38:07 +0300 Subject: [PATCH 6/6] Bump minor version --- src/Core/GraphConstants.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Core/GraphConstants.php b/src/Core/GraphConstants.php index cc953ef70a8..9e4ffaec020 100644 --- a/src/Core/GraphConstants.php +++ b/src/Core/GraphConstants.php @@ -23,7 +23,7 @@ final class GraphConstants const REST_ENDPOINT = "https://graph.microsoft.com/"; // Define HTTP request constants - const SDK_VERSION = "1.31.0"; + const SDK_VERSION = "1.32.0"; // Define error constants const MAX_PAGE_SIZE = 999;