jcapi1

package module
v0.0.0-...-0bae393 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Apr 28, 2023 License: Apache-2.0 Imports: 20 Imported by: 0

README

Go API client for jcapi1

Overview

JumpCloud's V1 API. This set of endpoints allows JumpCloud customers to manage commands, systems, and system users.

API Best Practices

Read the linked Help Article below for guidance on retrying failed requests to JumpCloud's REST API, as well as best practices for structuring subsequent retry requests. Customizing retry mechanisms based on these recommendations will increase the reliability and dependability of your API calls.

Covered topics include:

  1. Important Considerations
  2. Supported HTTP Request Methods
  3. Response codes
  4. API Key rotation
  5. Paginating
  6. Error handling
  7. Retry rates

JumpCloud Help Center - API Best Practices

API Key

Access Your API Key

To locate your API Key:

  1. Log into the JumpCloud Admin Console.
  2. Go to the username drop down located in the top-right of the Console.
  3. Retrieve your API key from API Settings.

API Key Considerations

This API key is associated to the currently logged in administrator. Other admins will have different API keys.

WARNING Please keep this API key secret, as it grants full access to any data accessible via your JumpCloud console account.

You can also reset your API key in the same location in the JumpCloud Admin Console.

Recycling or Resetting Your API Key

In order to revoke access with the current API key, simply reset your API key. This will render all calls using the previous API key inaccessible.

Your API key will be passed in as a header with the header name "x-api-key".

curl -H \"x-api-key: [YOUR_API_KEY_HERE]\" \"https://console.jumpcloud.com/api/systemusers\"

System Context

Introduction

JumpCloud System Context Authorization is an alternative way to authenticate with a subset of JumpCloud's REST APIs. Using this method, a system can manage its information and resource associations, allowing modern auto provisioning environments to scale as needed.

Notes:

  • The following documentation applies to Linux Operating Systems only.
  • Systems that have been automatically enrolled using Apple's Device Enrollment Program (DEP) or systems enrolled using the User Portal install are not eligible to use the System Context API to prevent unauthorized access to system groups and resources. If a script that utilizes the System Context API is invoked on a system enrolled in this way, it will display an error.

Supported Endpoints

JumpCloud System Context Authorization can be used in conjunction with Systems endpoints found in the V1 API and certain System Group endpoints found in the v2 API.

  • A system may fetch, alter, and delete metadata about itself, including manipulating a system's Group and Systemuser associations,
    • /api/systems/{system_id} | GET PUT
  • A system may delete itself from your JumpCloud organization
    • /api/systems/{system_id} | DELETE
  • A system may fetch its direct resource associations under v2 (Groups)
    • /api/v2/systems/{system_id}/memberof | GET
    • /api/v2/systems/{system_id}/associations | GET
    • /api/v2/systems/{system_id}/users | GET
  • A system may alter its direct resource associations under v2 (Groups)
    • /api/v2/systems/{system_id}/associations | POST
  • A system may alter its System Group associations
    • /api/v2/systemgroups/{group_id}/members | POST
      • NOTE If a system attempts to alter the system group membership of a different system the request will be rejected

Response Codes

If endpoints other than those described above are called using the System Context API, the server will return a 401 response.

Authentication

To allow for secure access to our APIs, you must authenticate each API request. JumpCloud System Context Authorization uses HTTP Signatures to authenticate API requests. The HTTP Signatures sent with each request are similar to the signatures used by the Amazon Web Services REST API. To help with the request-signing process, we have provided an example bash script. This example API request simply requests the entire system record. You must be root, or have permissions to access the contents of the /opt/jc directory to generate a signature.

Here is a breakdown of the example script with explanations.

First, the script extracts the systemKey from the JSON formatted /opt/jc/jcagent.conf file.

#!/bin/bash
conf=\"`cat /opt/jc/jcagent.conf`\"
regex=\"systemKey\\\":\\\"(\\w+)\\\"\"

if [[ $conf =~ $regex ]] ; then
  systemKey=\"${BASH_REMATCH[1]}\"
fi

Then, the script retrieves the current date in the correct format.

now=`date -u \"+%a, %d %h %Y %H:%M:%S GMT\"`;

Next, we build a signing string to demonstrate the expected signature format. The signed string must consist of the request-line and the date header, separated by a newline character.

signstr=\"GET /api/systems/${systemKey} HTTP/1.1\\ndate: ${now}\"

The next step is to calculate and apply the signature. This is a two-step process:

  1. Create a signature from the signing string using the JumpCloud Agent private key: printf \"$signstr\" | openssl dgst -sha256 -sign /opt/jc/client.key
  2. Then Base64-encode the signature string and trim off the newline characters: | openssl enc -e -a | tr -d '\\n'

The combined steps above result in:

signature=`printf \"$signstr\" | openssl dgst -sha256 -sign /opt/jc/client.key | openssl enc -e -a | tr -d '\\n'` ;

Finally, we make sure the API call sending the signature has the same Authorization and Date header values, HTTP method, and URL that were used in the signing string.

curl -iq \\
  -H \"Accept: application/json\" \\
  -H \"Content-Type: application/json\" \\
  -H \"Date: ${now}\" \\
  -H \"Authorization: Signature keyId=\\\"system/${systemKey}\\\",headers=\\\"request-line date\\\",algorithm=\\\"rsa-sha256\\\",signature=\\\"${signature}\\\"\" \\
  --url https://console.jumpcloud.com/api/systems/${systemKey}
Input Data

All PUT and POST methods should use the HTTP Content-Type header with a value of 'application/json'. PUT methods are used for updating a record. POST methods are used to create a record.

The following example demonstrates how to update the displayName of the system.

signstr=\"PUT /api/systems/${systemKey} HTTP/1.1\\ndate: ${now}\"
signature=`printf \"$signstr\" | openssl dgst -sha256 -sign /opt/jc/client.key | openssl enc -e -a | tr -d '\\n'` ;

curl -iq \\
  -d \"{\\\"displayName\\\" : \\\"updated-system-name-1\\\"}\" \\
  -X \"PUT\" \\
  -H \"Content-Type: application/json\" \\
  -H \"Accept: application/json\" \\
  -H \"Date: ${now}\" \\
  -H \"Authorization: Signature keyId=\\\"system/${systemKey}\\\",headers=\\\"request-line date\\\",algorithm=\\\"rsa-sha256\\\",signature=\\\"${signature}\\\"\" \\
  --url https://console.jumpcloud.com/api/systems/${systemKey}
Output Data

All results will be formatted as JSON.

Here is an abbreviated example of response output:

{
  \"_id\": \"525ee96f52e144993e000015\",
  \"agentServer\": \"lappy386\",
  \"agentVersion\": \"0.9.42\",
  \"arch\": \"x86_64\",
  \"connectionKey\": \"127.0.0.1_51812\",
  \"displayName\": \"ubuntu-1204\",
  \"firstContact\": \"2013-10-16T19:30:55.611Z\",
  \"hostname\": \"ubuntu-1204\"
  ...

Additional Examples

Signing Authentication Example

This example demonstrates how to make an authenticated request to fetch the JumpCloud record for this system.

SigningExample.sh

Shutdown Hook

This example demonstrates how to make an authenticated request on system shutdown. Using an init.d script registered at run level 0, you can call the System Context API as the system is shutting down.

Instance-shutdown-initd is an example of an init.d script that only runs at system shutdown.

After customizing the instance-shutdown-initd script, you should install it on the system(s) running the JumpCloud agent.

  1. Copy the modified instance-shutdown-initd to /etc/init.d/instance-shutdown.
  2. On Ubuntu systems, run update-rc.d instance-shutdown defaults. On RedHat/CentOS systems, run chkconfig --add instance-shutdown.

Third Party

Chef Cookbooks

https://github.com/nshenry03/jumpcloud

https://github.com/cjs226/jumpcloud

Multi-Tenant Portal Headers

Multi-Tenant Organization API Headers are available for JumpCloud Admins to use when making API requests from Organizations that have multiple managed organizations.

The x-org-id is a required header for all multi-tenant admins when making API requests to JumpCloud. This header will define to which organization you would like to make the request.

NOTE Single Tenant Admins do not need to provide this header when making an API request.

Header Value

x-org-id

API Response Codes

  • 400 Malformed ID.
  • 400 x-org-id and Organization path ID do not match.
  • 401 ID not included for multi-tenant admin
  • 403 ID included on unsupported route.
  • 404 Organization ID Not Found.
curl -X GET https://console.jumpcloud.com/api/v2/directories \\
  -H 'accept: application/json' \\
  -H 'content-type: application/json' \\
  -H 'x-api-key: {API_KEY}' \\
  -H 'x-org-id: {ORG_ID}'

To Obtain an Individual Organization ID via the UI

As a prerequisite, your Primary Organization will need to be setup for Multi-Tenancy. This provides access to the Multi-Tenant Organization Admin Portal.

  1. Log into JumpCloud Admin Console. If you are a multi-tenant Admin, you will automatically be routed to the Multi-Tenant Admin Portal.
  2. From the Multi-Tenant Portal's primary navigation bar, select the Organization you'd like to access.
  3. You will automatically be routed to that Organization's Admin Console.
  4. Go to Settings in the sub-tenant's primary navigation.
  5. You can obtain your Organization ID below your Organization's Contact Information on the Settings page.

To Obtain All Organization IDs via the API

  • You can make an API request to this endpoint using the API key of your Primary Organization. https://console.jumpcloud.com/api/organizations/ This will return all your managed organizations.
curl -X GET \\
  https://console.jumpcloud.com/api/organizations/ \\
  -H 'Accept: application/json' \\
  -H 'Content-Type: application/json' \\
  -H 'x-api-key: {API_KEY}'

SDKs

You can find language specific SDKs that can help you kickstart your Integration with JumpCloud in the following GitHub repositories:

Overview

This API client was generated by the OpenAPI Generator project. By using the OpenAPI-spec from a remote server, you can easily generate an API client.

Installation

Install the following dependencies:

go get github.com/stretchr/testify/assert
go get golang.org/x/net/context

Put the package under your project folder and add the following in import:

import jcapi1 "github.com/ConductorOne/baton-jumpcloud/pkg/jcapi1"

To use a proxy, set the environment variable HTTP_PROXY:

os.Setenv("HTTP_PROXY", "http://proxy_name:proxy_port")

Configuration of Server URL

Default configuration comes with Servers field that contains server objects as defined in the OpenAPI specification.

Select Server Configuration

For using other server than the one defined on index 0 set context value sw.ContextServerIndex of type int.

ctx := context.WithValue(context.Background(), jcapi1.ContextServerIndex, 1)
Templated Server URL

Templated server URL is formatted using default variables from configuration or from context value sw.ContextServerVariables of type map[string]string.

ctx := context.WithValue(context.Background(), jcapi1.ContextServerVariables, map[string]string{
	"basePath": "v2",
})

Note, enum values are always validated and all unused variables are silently ignored.

URLs Configuration per Operation

Each operation can use different server URL defined using OperationServers map in the Configuration. An operation is uniquely identified by "{classname}Service.{nickname}" string. Similar rules for overriding default operation server index and variables applies by using sw.ContextOperationServerIndices and sw.ContextOperationServerVariables context maps.

ctx := context.WithValue(context.Background(), jcapi1.ContextOperationServerIndices, map[string]int{
	"{classname}Service.{nickname}": 2,
})
ctx = context.WithValue(context.Background(), jcapi1.ContextOperationServerVariables, map[string]map[string]string{
	"{classname}Service.{nickname}": {
		"port": "8443",
	},
})

Documentation for API Endpoints

All URIs are relative to https://console.jumpcloud.com/api

Class Method HTTP request Description
ApplicationTemplatesApi ApplicationTemplatesGet Get /application-templates/{id} Get an Application Template
ApplicationTemplatesApi ApplicationTemplatesList Get /application-templates List Application Templates
ApplicationsApi ApplicationsDelete Delete /applications/{id} Delete an Application
ApplicationsApi ApplicationsGet Get /applications/{id} Get an Application
ApplicationsApi ApplicationsList Get /applications Applications
ApplicationsApi ApplicationsPost Post /applications Create an Application
ApplicationsApi ApplicationsPut Put /applications/{id} Update an Application
CommandResultsApi CommandResultsDelete Delete /commandresults/{id} Delete a Command result
CommandResultsApi CommandResultsGet Get /commandresults/{id} List an individual Command result
CommandResultsApi CommandResultsList Get /commandresults List all Command Results
CommandTriggersApi CommandTriggerWebhookPost Post /command/trigger/{triggername} Launch a command via a Trigger
CommandsApi CommandFileGet Get /files/command/{id} Get a Command File
CommandsApi CommandsDelete Delete /commands/{id} Delete a Command
CommandsApi CommandsGet Get /commands/{id} List an individual Command
CommandsApi CommandsGetResults Get /commands/{id}/results Get results for a specific command
CommandsApi CommandsList Get /commands List All Commands
CommandsApi CommandsPost Post /commands Create A Command
CommandsApi CommandsPut Put /commands/{id} Update a Command
ManagedServiceProviderApi AdminTotpresetBegin Post /users/resettotp/{id} Administrator TOTP Reset Initiation
ManagedServiceProviderApi OrganizationList Get /organizations Get Organization Details
ManagedServiceProviderApi UsersPut Put /users/{id} Update a user
ManagedServiceProviderApi UsersReactivateGet Get /users/reactivate/{id} Administrator Password Reset Initiation
OrganizationsApi OrganizationList Get /organizations Get Organization Details
OrganizationsApi OrganizationPut Put /organizations/{id} Update an Organization
OrganizationsApi OrganizationsGet Get /organizations/{id} Get an Organization
RadiusServersApi RadiusServersDelete Delete /radiusservers/{id} Delete Radius Server
RadiusServersApi RadiusServersGet Get /radiusservers/{id} Get Radius Server
RadiusServersApi RadiusServersList Get /radiusservers List Radius Servers
RadiusServersApi RadiusServersPost Post /radiusservers Create a Radius Server
RadiusServersApi RadiusServersPut Put /radiusservers/{id} Update Radius Servers
SearchApi SearchCommandresultsPost Post /search/commandresults Search Commands Results
SearchApi SearchCommandsPost Post /search/commands Search Commands
SearchApi SearchOrganizationsPost Post /search/organizations Search Organizations
SearchApi SearchSystemsPost Post /search/systems Search Systems
SearchApi SearchSystemusersPost Post /search/systemusers Search System Users
SystemsApi SystemsCommandBuiltinErase Post /systems/{system_id}/command/builtin/erase Erase a System
SystemsApi SystemsCommandBuiltinLock Post /systems/{system_id}/command/builtin/lock Lock a System
SystemsApi SystemsCommandBuiltinRestart Post /systems/{system_id}/command/builtin/restart Restart a System
SystemsApi SystemsCommandBuiltinShutdown Post /systems/{system_id}/command/builtin/shutdown Shutdown a System
SystemsApi SystemsDelete Delete /systems/{id} Delete a System
SystemsApi SystemsGet Get /systems/{id} List an individual system
SystemsApi SystemsList Get /systems List All Systems
SystemsApi SystemsPut Put /systems/{id} Update a system
SystemusersApi SshkeyDelete Delete /systemusers/{systemuser_id}/sshkeys/{id} Delete a system user's Public SSH Keys
SystemusersApi SshkeyList Get /systemusers/{id}/sshkeys List a system user's public SSH keys
SystemusersApi SshkeyPost Post /systemusers/{id}/sshkeys Create a system user's Public SSH Key
SystemusersApi SystemusersDelete Delete /systemusers/{id} Delete a system user
SystemusersApi SystemusersExpire Post /systemusers/{id}/expire Expire a system user's password
SystemusersApi SystemusersGet Get /systemusers/{id} List a system user
SystemusersApi SystemusersList Get /systemusers List all system users
SystemusersApi SystemusersMfasync Post /systemusers/{id}/mfasync Sync a systemuser's mfa enrollment status
SystemusersApi SystemusersPost Post /systemusers Create a system user
SystemusersApi SystemusersPut Put /systemusers/{id} Update a system user
SystemusersApi SystemusersResetmfa Post /systemusers/{id}/resetmfa Reset a system user's MFA token
SystemusersApi SystemusersStateActivate Post /systemusers/{id}/state/activate Activate System User
SystemusersApi SystemusersUnlock Post /systemusers/{id}/unlock Unlock a system user
UsersApi AdminTotpresetBegin Post /users/resettotp/{id} Administrator TOTP Reset Initiation
UsersApi UsersPut Put /users/{id} Update a user
UsersApi UsersReactivateGet Get /users/reactivate/{id} Administrator Password Reset Initiation

Documentation For Models

Documentation For Authorization

x-api-key
  • Type: API key
  • API key parameter name: x-api-key
  • Location: HTTP header

Note, each API key must be added to a map of map[string]APIKey where the key is: x-api-key and passed in as the auth context for each request.

Documentation for Utility Methods

Due to the fact that model structure members are all pointers, this package contains a number of utility functions to easily obtain pointers to values of basic types. Each of these functions takes a value of the given basic type and returns a pointer to it:

  • PtrBool
  • PtrInt
  • PtrInt32
  • PtrInt64
  • PtrFloat
  • PtrFloat32
  • PtrFloat64
  • PtrString
  • PtrTime

Author

support@jumpcloud.com

Documentation

Index

Constants

This section is empty.

Variables

View Source
var (
	// ContextAPIKeys takes a string apikey as authentication for the request
	ContextAPIKeys = contextKey("apiKeys")

	// ContextServerIndex uses a server configuration from the index.
	ContextServerIndex = contextKey("serverIndex")

	// ContextOperationServerIndices uses a server configuration from the index mapping.
	ContextOperationServerIndices = contextKey("serverOperationIndices")

	// ContextServerVariables overrides a server configuration variables.
	ContextServerVariables = contextKey("serverVariables")

	// ContextOperationServerVariables overrides a server configuration variables using operation specific values.
	ContextOperationServerVariables = contextKey("serverOperationVariables")
)
View Source
var AllowedMfaEnrollmentStatusEnumValues = []MfaEnrollmentStatus{
	"NOT_ENROLLED",
	"DISABLED",
	"PENDING_ACTIVATION",
	"ENROLLMENT_EXPIRED",
	"IN_ENROLLMENT",
	"PRE_ENROLLMENT",
	"ENROLLED",
}

All allowed values of MfaEnrollmentStatus enum

Functions

func CacheExpires

func CacheExpires(r *http.Response) time.Time

CacheExpires helper function to determine remaining time before repeating a request.

func IsNil

func IsNil(i interface{}) bool

IsNil checks if an input is nil

func PtrBool

func PtrBool(v bool) *bool

PtrBool is a helper routine that returns a pointer to given boolean value.

func PtrFloat32

func PtrFloat32(v float32) *float32

PtrFloat32 is a helper routine that returns a pointer to given float value.

func PtrFloat64

func PtrFloat64(v float64) *float64

PtrFloat64 is a helper routine that returns a pointer to given float value.

func PtrInt

func PtrInt(v int) *int

PtrInt is a helper routine that returns a pointer to given integer value.

func PtrInt32

func PtrInt32(v int32) *int32

PtrInt32 is a helper routine that returns a pointer to given integer value.

func PtrInt64

func PtrInt64(v int64) *int64

PtrInt64 is a helper routine that returns a pointer to given integer value.

func PtrString

func PtrString(v string) *string

PtrString is a helper routine that returns a pointer to given string value.

func PtrTime

func PtrTime(v time.Time) *time.Time

PtrTime is helper routine that returns a pointer to given Time value.

Types

type APIClient

type APIClient struct {
	ApplicationTemplatesApi *ApplicationTemplatesApiService

	ApplicationsApi *ApplicationsApiService

	CommandResultsApi *CommandResultsApiService

	CommandTriggersApi *CommandTriggersApiService

	CommandsApi *CommandsApiService

	ManagedServiceProviderApi *ManagedServiceProviderApiService

	OrganizationsApi *OrganizationsApiService

	RadiusServersApi *RadiusServersApiService

	SearchApi *SearchApiService

	SystemsApi *SystemsApiService

	SystemusersApi *SystemusersApiService

	UsersApi *UsersApiService
	// contains filtered or unexported fields
}

APIClient manages communication with the JumpCloud API API v1.0 In most cases there should be only one, shared, APIClient.

func NewAPIClient

func NewAPIClient(cfg *Configuration) *APIClient

NewAPIClient creates a new API client. Requires a userAgent string describing your application. optionally a custom http.Client to allow for advanced features such as caching.

func (*APIClient) GetConfig

func (c *APIClient) GetConfig() *Configuration

Allow modification of underlying config for alternate implementations and testing Caution: modifying the configuration while live can cause data races and potentially unwanted behavior

type APIKey

type APIKey struct {
	Key    string
	Prefix string
}

APIKey provides API key based authentication to a request passed via context using ContextAPIKey

type APIResponse

type APIResponse struct {
	*http.Response `json:"-"`
	Message        string `json:"message,omitempty"`
	// Operation is the name of the OpenAPI operation.
	Operation string `json:"operation,omitempty"`
	// RequestURL is the request URL. This value is always available, even if the
	// embedded *http.Response is nil.
	RequestURL string `json:"url,omitempty"`
	// Method is the HTTP method used for the request.  This value is always
	// available, even if the embedded *http.Response is nil.
	Method string `json:"method,omitempty"`
	// Payload holds the contents of the response body (which may be nil or empty).
	// This is provided here as the raw response.Body() reader will have already
	// been drained.
	Payload []byte `json:"-"`
}

APIResponse stores the API response returned by the server.

func NewAPIResponse

func NewAPIResponse(r *http.Response) *APIResponse

NewAPIResponse returns a new APIResponse object.

func NewAPIResponseWithError

func NewAPIResponseWithError(errorMessage string) *APIResponse

NewAPIResponseWithError returns a new APIResponse object with the provided error message.

type Application

type Application struct {
	Id                   *string                  `json:"_id,omitempty"`
	Active               *bool                    `json:"active,omitempty"`
	Beta                 *bool                    `json:"beta,omitempty"`
	Color                *string                  `json:"color,omitempty"`
	Config               ApplicationConfig        `json:"config"`
	Created              *string                  `json:"created,omitempty"`
	DatabaseAttributes   []map[string]interface{} `json:"databaseAttributes,omitempty"`
	Description          *string                  `json:"description,omitempty"`
	DisplayLabel         *string                  `json:"displayLabel,omitempty"`
	DisplayName          *string                  `json:"displayName,omitempty"`
	LearnMore            *string                  `json:"learnMore,omitempty"`
	Name                 string                   `json:"name"`
	Organization         *string                  `json:"organization,omitempty"`
	Sso                  *Sso                     `json:"sso,omitempty"`
	SsoUrl               string                   `json:"ssoUrl"`
	AdditionalProperties map[string]interface{}
}

Application struct for Application

func NewApplication

func NewApplication(config ApplicationConfig, name string, ssoUrl string) *Application

NewApplication instantiates a new Application object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationWithDefaults

func NewApplicationWithDefaults() *Application

NewApplicationWithDefaults instantiates a new Application object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Application) GetActive

func (o *Application) GetActive() bool

GetActive returns the Active field value if set, zero value otherwise.

func (*Application) GetActiveOk

func (o *Application) GetActiveOk() (*bool, bool)

GetActiveOk returns a tuple with the Active field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetBeta

func (o *Application) GetBeta() bool

GetBeta returns the Beta field value if set, zero value otherwise.

func (*Application) GetBetaOk

func (o *Application) GetBetaOk() (*bool, bool)

GetBetaOk returns a tuple with the Beta field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetColor

func (o *Application) GetColor() string

GetColor returns the Color field value if set, zero value otherwise.

func (*Application) GetColorOk

func (o *Application) GetColorOk() (*string, bool)

GetColorOk returns a tuple with the Color field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetConfig

func (o *Application) GetConfig() ApplicationConfig

GetConfig returns the Config field value

func (*Application) GetConfigOk

func (o *Application) GetConfigOk() (*ApplicationConfig, bool)

GetConfigOk returns a tuple with the Config field value and a boolean to check if the value has been set.

func (*Application) GetCreated

func (o *Application) GetCreated() string

GetCreated returns the Created field value if set, zero value otherwise.

func (*Application) GetCreatedOk

func (o *Application) GetCreatedOk() (*string, bool)

GetCreatedOk returns a tuple with the Created field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetDatabaseAttributes

func (o *Application) GetDatabaseAttributes() []map[string]interface{}

GetDatabaseAttributes returns the DatabaseAttributes field value if set, zero value otherwise.

func (*Application) GetDatabaseAttributesOk

func (o *Application) GetDatabaseAttributesOk() ([]map[string]interface{}, bool)

GetDatabaseAttributesOk returns a tuple with the DatabaseAttributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetDescription

func (o *Application) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*Application) GetDescriptionOk

func (o *Application) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetDisplayLabel

func (o *Application) GetDisplayLabel() string

GetDisplayLabel returns the DisplayLabel field value if set, zero value otherwise.

func (*Application) GetDisplayLabelOk

func (o *Application) GetDisplayLabelOk() (*string, bool)

GetDisplayLabelOk returns a tuple with the DisplayLabel field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetDisplayName

func (o *Application) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*Application) GetDisplayNameOk

func (o *Application) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetId

func (o *Application) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Application) GetIdOk

func (o *Application) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetLearnMore

func (o *Application) GetLearnMore() string

GetLearnMore returns the LearnMore field value if set, zero value otherwise.

func (*Application) GetLearnMoreOk

func (o *Application) GetLearnMoreOk() (*string, bool)

GetLearnMoreOk returns a tuple with the LearnMore field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *Application) GetLogo() ApplicationLogo

GetLogo returns the Logo field value if set, zero value otherwise.

func (*Application) GetLogoOk

func (o *Application) GetLogoOk() (*ApplicationLogo, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetName

func (o *Application) GetName() string

GetName returns the Name field value

func (*Application) GetNameOk

func (o *Application) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*Application) GetOrganization

func (o *Application) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Application) GetOrganizationOk

func (o *Application) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetSso

func (o *Application) GetSso() Sso

GetSso returns the Sso field value if set, zero value otherwise.

func (*Application) GetSsoOk

func (o *Application) GetSsoOk() (*Sso, bool)

GetSsoOk returns a tuple with the Sso field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Application) GetSsoUrl

func (o *Application) GetSsoUrl() string

GetSsoUrl returns the SsoUrl field value

func (*Application) GetSsoUrlOk

func (o *Application) GetSsoUrlOk() (*string, bool)

GetSsoUrlOk returns a tuple with the SsoUrl field value and a boolean to check if the value has been set.

func (*Application) HasActive

func (o *Application) HasActive() bool

HasActive returns a boolean if a field has been set.

func (*Application) HasBeta

func (o *Application) HasBeta() bool

HasBeta returns a boolean if a field has been set.

func (*Application) HasColor

func (o *Application) HasColor() bool

HasColor returns a boolean if a field has been set.

func (*Application) HasCreated

func (o *Application) HasCreated() bool

HasCreated returns a boolean if a field has been set.

func (*Application) HasDatabaseAttributes

func (o *Application) HasDatabaseAttributes() bool

HasDatabaseAttributes returns a boolean if a field has been set.

func (*Application) HasDescription

func (o *Application) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*Application) HasDisplayLabel

func (o *Application) HasDisplayLabel() bool

HasDisplayLabel returns a boolean if a field has been set.

func (*Application) HasDisplayName

func (o *Application) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*Application) HasId

func (o *Application) HasId() bool

HasId returns a boolean if a field has been set.

func (*Application) HasLearnMore

func (o *Application) HasLearnMore() bool

HasLearnMore returns a boolean if a field has been set.

func (o *Application) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*Application) HasOrganization

func (o *Application) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Application) HasSso

func (o *Application) HasSso() bool

HasSso returns a boolean if a field has been set.

func (Application) MarshalJSON

func (o Application) MarshalJSON() ([]byte, error)

func (*Application) SetActive

func (o *Application) SetActive(v bool)

SetActive gets a reference to the given bool and assigns it to the Active field.

func (*Application) SetBeta

func (o *Application) SetBeta(v bool)

SetBeta gets a reference to the given bool and assigns it to the Beta field.

func (*Application) SetColor

func (o *Application) SetColor(v string)

SetColor gets a reference to the given string and assigns it to the Color field.

func (*Application) SetConfig

func (o *Application) SetConfig(v ApplicationConfig)

SetConfig sets field value

func (*Application) SetCreated

func (o *Application) SetCreated(v string)

SetCreated gets a reference to the given string and assigns it to the Created field.

func (*Application) SetDatabaseAttributes

func (o *Application) SetDatabaseAttributes(v []map[string]interface{})

SetDatabaseAttributes gets a reference to the given []map[string]interface{} and assigns it to the DatabaseAttributes field.

func (*Application) SetDescription

func (o *Application) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*Application) SetDisplayLabel

func (o *Application) SetDisplayLabel(v string)

SetDisplayLabel gets a reference to the given string and assigns it to the DisplayLabel field.

func (*Application) SetDisplayName

func (o *Application) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*Application) SetId

func (o *Application) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Application) SetLearnMore

func (o *Application) SetLearnMore(v string)

SetLearnMore gets a reference to the given string and assigns it to the LearnMore field.

func (o *Application) SetLogo(v ApplicationLogo)

SetLogo gets a reference to the given ApplicationLogo and assigns it to the Logo field.

func (*Application) SetName

func (o *Application) SetName(v string)

SetName sets field value

func (*Application) SetOrganization

func (o *Application) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Application) SetSso

func (o *Application) SetSso(v Sso)

SetSso gets a reference to the given Sso and assigns it to the Sso field.

func (*Application) SetSsoUrl

func (o *Application) SetSsoUrl(v string)

SetSsoUrl sets field value

func (Application) ToMap

func (o Application) ToMap() (map[string]interface{}, error)

func (*Application) UnmarshalJSON

func (o *Application) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfig

type ApplicationConfig struct {
	AcsUrl               *ApplicationConfigAcsUrl             `json:"acsUrl,omitempty"`
	ConstantAttributes   *ApplicationConfigConstantAttributes `json:"constantAttributes,omitempty"`
	DatabaseAttributes   *ApplicationConfigDatabaseAttributes `json:"databaseAttributes,omitempty"`
	IdpCertificate       *ApplicationConfigAcsUrl             `json:"idpCertificate,omitempty"`
	IdpEntityId          *ApplicationConfigAcsUrl             `json:"idpEntityId,omitempty"`
	IdpPrivateKey        *ApplicationConfigAcsUrl             `json:"idpPrivateKey,omitempty"`
	SpEntityId           *ApplicationConfigAcsUrl             `json:"spEntityId,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfig struct for ApplicationConfig

func NewApplicationConfig

func NewApplicationConfig() *ApplicationConfig

NewApplicationConfig instantiates a new ApplicationConfig object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigWithDefaults

func NewApplicationConfigWithDefaults() *ApplicationConfig

NewApplicationConfigWithDefaults instantiates a new ApplicationConfig object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfig) GetAcsUrl

GetAcsUrl returns the AcsUrl field value if set, zero value otherwise.

func (*ApplicationConfig) GetAcsUrlOk

func (o *ApplicationConfig) GetAcsUrlOk() (*ApplicationConfigAcsUrl, bool)

GetAcsUrlOk returns a tuple with the AcsUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetConstantAttributes

func (o *ApplicationConfig) GetConstantAttributes() ApplicationConfigConstantAttributes

GetConstantAttributes returns the ConstantAttributes field value if set, zero value otherwise.

func (*ApplicationConfig) GetConstantAttributesOk

func (o *ApplicationConfig) GetConstantAttributesOk() (*ApplicationConfigConstantAttributes, bool)

GetConstantAttributesOk returns a tuple with the ConstantAttributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetDatabaseAttributes

func (o *ApplicationConfig) GetDatabaseAttributes() ApplicationConfigDatabaseAttributes

GetDatabaseAttributes returns the DatabaseAttributes field value if set, zero value otherwise.

func (*ApplicationConfig) GetDatabaseAttributesOk

func (o *ApplicationConfig) GetDatabaseAttributesOk() (*ApplicationConfigDatabaseAttributes, bool)

GetDatabaseAttributesOk returns a tuple with the DatabaseAttributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetIdpCertificate

func (o *ApplicationConfig) GetIdpCertificate() ApplicationConfigAcsUrl

GetIdpCertificate returns the IdpCertificate field value if set, zero value otherwise.

func (*ApplicationConfig) GetIdpCertificateOk

func (o *ApplicationConfig) GetIdpCertificateOk() (*ApplicationConfigAcsUrl, bool)

GetIdpCertificateOk returns a tuple with the IdpCertificate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetIdpEntityId

func (o *ApplicationConfig) GetIdpEntityId() ApplicationConfigAcsUrl

GetIdpEntityId returns the IdpEntityId field value if set, zero value otherwise.

func (*ApplicationConfig) GetIdpEntityIdOk

func (o *ApplicationConfig) GetIdpEntityIdOk() (*ApplicationConfigAcsUrl, bool)

GetIdpEntityIdOk returns a tuple with the IdpEntityId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetIdpPrivateKey

func (o *ApplicationConfig) GetIdpPrivateKey() ApplicationConfigAcsUrl

GetIdpPrivateKey returns the IdpPrivateKey field value if set, zero value otherwise.

func (*ApplicationConfig) GetIdpPrivateKeyOk

func (o *ApplicationConfig) GetIdpPrivateKeyOk() (*ApplicationConfigAcsUrl, bool)

GetIdpPrivateKeyOk returns a tuple with the IdpPrivateKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) GetSpEntityId

func (o *ApplicationConfig) GetSpEntityId() ApplicationConfigAcsUrl

GetSpEntityId returns the SpEntityId field value if set, zero value otherwise.

func (*ApplicationConfig) GetSpEntityIdOk

func (o *ApplicationConfig) GetSpEntityIdOk() (*ApplicationConfigAcsUrl, bool)

GetSpEntityIdOk returns a tuple with the SpEntityId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfig) HasAcsUrl

func (o *ApplicationConfig) HasAcsUrl() bool

HasAcsUrl returns a boolean if a field has been set.

func (*ApplicationConfig) HasConstantAttributes

func (o *ApplicationConfig) HasConstantAttributes() bool

HasConstantAttributes returns a boolean if a field has been set.

func (*ApplicationConfig) HasDatabaseAttributes

func (o *ApplicationConfig) HasDatabaseAttributes() bool

HasDatabaseAttributes returns a boolean if a field has been set.

func (*ApplicationConfig) HasIdpCertificate

func (o *ApplicationConfig) HasIdpCertificate() bool

HasIdpCertificate returns a boolean if a field has been set.

func (*ApplicationConfig) HasIdpEntityId

func (o *ApplicationConfig) HasIdpEntityId() bool

HasIdpEntityId returns a boolean if a field has been set.

func (*ApplicationConfig) HasIdpPrivateKey

func (o *ApplicationConfig) HasIdpPrivateKey() bool

HasIdpPrivateKey returns a boolean if a field has been set.

func (*ApplicationConfig) HasSpEntityId

func (o *ApplicationConfig) HasSpEntityId() bool

HasSpEntityId returns a boolean if a field has been set.

func (ApplicationConfig) MarshalJSON

func (o ApplicationConfig) MarshalJSON() ([]byte, error)

func (*ApplicationConfig) SetAcsUrl

SetAcsUrl gets a reference to the given ApplicationConfigAcsUrl and assigns it to the AcsUrl field.

func (*ApplicationConfig) SetConstantAttributes

func (o *ApplicationConfig) SetConstantAttributes(v ApplicationConfigConstantAttributes)

SetConstantAttributes gets a reference to the given ApplicationConfigConstantAttributes and assigns it to the ConstantAttributes field.

func (*ApplicationConfig) SetDatabaseAttributes

func (o *ApplicationConfig) SetDatabaseAttributes(v ApplicationConfigDatabaseAttributes)

SetDatabaseAttributes gets a reference to the given ApplicationConfigDatabaseAttributes and assigns it to the DatabaseAttributes field.

func (*ApplicationConfig) SetIdpCertificate

func (o *ApplicationConfig) SetIdpCertificate(v ApplicationConfigAcsUrl)

SetIdpCertificate gets a reference to the given ApplicationConfigAcsUrl and assigns it to the IdpCertificate field.

func (*ApplicationConfig) SetIdpEntityId

func (o *ApplicationConfig) SetIdpEntityId(v ApplicationConfigAcsUrl)

SetIdpEntityId gets a reference to the given ApplicationConfigAcsUrl and assigns it to the IdpEntityId field.

func (*ApplicationConfig) SetIdpPrivateKey

func (o *ApplicationConfig) SetIdpPrivateKey(v ApplicationConfigAcsUrl)

SetIdpPrivateKey gets a reference to the given ApplicationConfigAcsUrl and assigns it to the IdpPrivateKey field.

func (*ApplicationConfig) SetSpEntityId

func (o *ApplicationConfig) SetSpEntityId(v ApplicationConfigAcsUrl)

SetSpEntityId gets a reference to the given ApplicationConfigAcsUrl and assigns it to the SpEntityId field.

func (ApplicationConfig) ToMap

func (o ApplicationConfig) ToMap() (map[string]interface{}, error)

func (*ApplicationConfig) UnmarshalJSON

func (o *ApplicationConfig) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigAcsUrl

type ApplicationConfigAcsUrl struct {
	Label                *string                         `json:"label,omitempty"`
	Options              *string                         `json:"options,omitempty"`
	Position             *int32                          `json:"position,omitempty"`
	ReadOnly             *bool                           `json:"readOnly,omitempty"`
	Required             *bool                           `json:"required,omitempty"`
	Toggle               *string                         `json:"toggle,omitempty"`
	Tooltip              *ApplicationConfigAcsUrlTooltip `json:"tooltip,omitempty"`
	Type                 *string                         `json:"type,omitempty"`
	Value                *string                         `json:"value,omitempty"`
	Visible              *bool                           `json:"visible,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigAcsUrl struct for ApplicationConfigAcsUrl

func NewApplicationConfigAcsUrl

func NewApplicationConfigAcsUrl() *ApplicationConfigAcsUrl

NewApplicationConfigAcsUrl instantiates a new ApplicationConfigAcsUrl object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigAcsUrlWithDefaults

func NewApplicationConfigAcsUrlWithDefaults() *ApplicationConfigAcsUrl

NewApplicationConfigAcsUrlWithDefaults instantiates a new ApplicationConfigAcsUrl object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigAcsUrl) GetLabel

func (o *ApplicationConfigAcsUrl) GetLabel() string

GetLabel returns the Label field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetLabelOk

func (o *ApplicationConfigAcsUrl) GetLabelOk() (*string, bool)

GetLabelOk returns a tuple with the Label field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetOptions

func (o *ApplicationConfigAcsUrl) GetOptions() string

GetOptions returns the Options field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetOptionsOk

func (o *ApplicationConfigAcsUrl) GetOptionsOk() (*string, bool)

GetOptionsOk returns a tuple with the Options field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetPosition

func (o *ApplicationConfigAcsUrl) GetPosition() int32

GetPosition returns the Position field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetPositionOk

func (o *ApplicationConfigAcsUrl) GetPositionOk() (*int32, bool)

GetPositionOk returns a tuple with the Position field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetReadOnly

func (o *ApplicationConfigAcsUrl) GetReadOnly() bool

GetReadOnly returns the ReadOnly field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetReadOnlyOk

func (o *ApplicationConfigAcsUrl) GetReadOnlyOk() (*bool, bool)

GetReadOnlyOk returns a tuple with the ReadOnly field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetRequired

func (o *ApplicationConfigAcsUrl) GetRequired() bool

GetRequired returns the Required field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetRequiredOk

func (o *ApplicationConfigAcsUrl) GetRequiredOk() (*bool, bool)

GetRequiredOk returns a tuple with the Required field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetToggle

func (o *ApplicationConfigAcsUrl) GetToggle() string

GetToggle returns the Toggle field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetToggleOk

func (o *ApplicationConfigAcsUrl) GetToggleOk() (*string, bool)

GetToggleOk returns a tuple with the Toggle field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetTooltip

GetTooltip returns the Tooltip field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetTooltipOk

GetTooltipOk returns a tuple with the Tooltip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetType

func (o *ApplicationConfigAcsUrl) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetTypeOk

func (o *ApplicationConfigAcsUrl) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetValue

func (o *ApplicationConfigAcsUrl) GetValue() string

GetValue returns the Value field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetValueOk

func (o *ApplicationConfigAcsUrl) GetValueOk() (*string, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) GetVisible

func (o *ApplicationConfigAcsUrl) GetVisible() bool

GetVisible returns the Visible field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrl) GetVisibleOk

func (o *ApplicationConfigAcsUrl) GetVisibleOk() (*bool, bool)

GetVisibleOk returns a tuple with the Visible field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrl) HasLabel

func (o *ApplicationConfigAcsUrl) HasLabel() bool

HasLabel returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasOptions

func (o *ApplicationConfigAcsUrl) HasOptions() bool

HasOptions returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasPosition

func (o *ApplicationConfigAcsUrl) HasPosition() bool

HasPosition returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasReadOnly

func (o *ApplicationConfigAcsUrl) HasReadOnly() bool

HasReadOnly returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasRequired

func (o *ApplicationConfigAcsUrl) HasRequired() bool

HasRequired returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasToggle

func (o *ApplicationConfigAcsUrl) HasToggle() bool

HasToggle returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasTooltip

func (o *ApplicationConfigAcsUrl) HasTooltip() bool

HasTooltip returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasType

func (o *ApplicationConfigAcsUrl) HasType() bool

HasType returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasValue

func (o *ApplicationConfigAcsUrl) HasValue() bool

HasValue returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrl) HasVisible

func (o *ApplicationConfigAcsUrl) HasVisible() bool

HasVisible returns a boolean if a field has been set.

func (ApplicationConfigAcsUrl) MarshalJSON

func (o ApplicationConfigAcsUrl) MarshalJSON() ([]byte, error)

func (*ApplicationConfigAcsUrl) SetLabel

func (o *ApplicationConfigAcsUrl) SetLabel(v string)

SetLabel gets a reference to the given string and assigns it to the Label field.

func (*ApplicationConfigAcsUrl) SetOptions

func (o *ApplicationConfigAcsUrl) SetOptions(v string)

SetOptions gets a reference to the given string and assigns it to the Options field.

func (*ApplicationConfigAcsUrl) SetPosition

func (o *ApplicationConfigAcsUrl) SetPosition(v int32)

SetPosition gets a reference to the given int32 and assigns it to the Position field.

func (*ApplicationConfigAcsUrl) SetReadOnly

func (o *ApplicationConfigAcsUrl) SetReadOnly(v bool)

SetReadOnly gets a reference to the given bool and assigns it to the ReadOnly field.

func (*ApplicationConfigAcsUrl) SetRequired

func (o *ApplicationConfigAcsUrl) SetRequired(v bool)

SetRequired gets a reference to the given bool and assigns it to the Required field.

func (*ApplicationConfigAcsUrl) SetToggle

func (o *ApplicationConfigAcsUrl) SetToggle(v string)

SetToggle gets a reference to the given string and assigns it to the Toggle field.

func (*ApplicationConfigAcsUrl) SetTooltip

SetTooltip gets a reference to the given ApplicationConfigAcsUrlTooltip and assigns it to the Tooltip field.

func (*ApplicationConfigAcsUrl) SetType

func (o *ApplicationConfigAcsUrl) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (*ApplicationConfigAcsUrl) SetValue

func (o *ApplicationConfigAcsUrl) SetValue(v string)

SetValue gets a reference to the given string and assigns it to the Value field.

func (*ApplicationConfigAcsUrl) SetVisible

func (o *ApplicationConfigAcsUrl) SetVisible(v bool)

SetVisible gets a reference to the given bool and assigns it to the Visible field.

func (ApplicationConfigAcsUrl) ToMap

func (o ApplicationConfigAcsUrl) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigAcsUrl) UnmarshalJSON

func (o *ApplicationConfigAcsUrl) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigAcsUrlTooltip

type ApplicationConfigAcsUrlTooltip struct {
	Template             *string                                  `json:"template,omitempty"`
	Variables            *ApplicationConfigAcsUrlTooltipVariables `json:"variables,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigAcsUrlTooltip struct for ApplicationConfigAcsUrlTooltip

func NewApplicationConfigAcsUrlTooltip

func NewApplicationConfigAcsUrlTooltip() *ApplicationConfigAcsUrlTooltip

NewApplicationConfigAcsUrlTooltip instantiates a new ApplicationConfigAcsUrlTooltip object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigAcsUrlTooltipWithDefaults

func NewApplicationConfigAcsUrlTooltipWithDefaults() *ApplicationConfigAcsUrlTooltip

NewApplicationConfigAcsUrlTooltipWithDefaults instantiates a new ApplicationConfigAcsUrlTooltip object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigAcsUrlTooltip) GetTemplate

func (o *ApplicationConfigAcsUrlTooltip) GetTemplate() string

GetTemplate returns the Template field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrlTooltip) GetTemplateOk

func (o *ApplicationConfigAcsUrlTooltip) GetTemplateOk() (*string, bool)

GetTemplateOk returns a tuple with the Template field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrlTooltip) GetVariables

GetVariables returns the Variables field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrlTooltip) GetVariablesOk

GetVariablesOk returns a tuple with the Variables field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrlTooltip) HasTemplate

func (o *ApplicationConfigAcsUrlTooltip) HasTemplate() bool

HasTemplate returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrlTooltip) HasVariables

func (o *ApplicationConfigAcsUrlTooltip) HasVariables() bool

HasVariables returns a boolean if a field has been set.

func (ApplicationConfigAcsUrlTooltip) MarshalJSON

func (o ApplicationConfigAcsUrlTooltip) MarshalJSON() ([]byte, error)

func (*ApplicationConfigAcsUrlTooltip) SetTemplate

func (o *ApplicationConfigAcsUrlTooltip) SetTemplate(v string)

SetTemplate gets a reference to the given string and assigns it to the Template field.

func (*ApplicationConfigAcsUrlTooltip) SetVariables

SetVariables gets a reference to the given ApplicationConfigAcsUrlTooltipVariables and assigns it to the Variables field.

func (ApplicationConfigAcsUrlTooltip) ToMap

func (o ApplicationConfigAcsUrlTooltip) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigAcsUrlTooltip) UnmarshalJSON

func (o *ApplicationConfigAcsUrlTooltip) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigAcsUrlTooltipVariables

type ApplicationConfigAcsUrlTooltipVariables struct {
	Icon                 *string `json:"icon,omitempty"`
	Message              *string `json:"message,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigAcsUrlTooltipVariables struct for ApplicationConfigAcsUrlTooltipVariables

func NewApplicationConfigAcsUrlTooltipVariables

func NewApplicationConfigAcsUrlTooltipVariables() *ApplicationConfigAcsUrlTooltipVariables

NewApplicationConfigAcsUrlTooltipVariables instantiates a new ApplicationConfigAcsUrlTooltipVariables object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigAcsUrlTooltipVariablesWithDefaults

func NewApplicationConfigAcsUrlTooltipVariablesWithDefaults() *ApplicationConfigAcsUrlTooltipVariables

NewApplicationConfigAcsUrlTooltipVariablesWithDefaults instantiates a new ApplicationConfigAcsUrlTooltipVariables object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigAcsUrlTooltipVariables) GetIcon

GetIcon returns the Icon field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrlTooltipVariables) GetIconOk

GetIconOk returns a tuple with the Icon field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrlTooltipVariables) GetMessage

GetMessage returns the Message field value if set, zero value otherwise.

func (*ApplicationConfigAcsUrlTooltipVariables) GetMessageOk

func (o *ApplicationConfigAcsUrlTooltipVariables) GetMessageOk() (*string, bool)

GetMessageOk returns a tuple with the Message field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigAcsUrlTooltipVariables) HasIcon

HasIcon returns a boolean if a field has been set.

func (*ApplicationConfigAcsUrlTooltipVariables) HasMessage

HasMessage returns a boolean if a field has been set.

func (ApplicationConfigAcsUrlTooltipVariables) MarshalJSON

func (o ApplicationConfigAcsUrlTooltipVariables) MarshalJSON() ([]byte, error)

func (*ApplicationConfigAcsUrlTooltipVariables) SetIcon

SetIcon gets a reference to the given string and assigns it to the Icon field.

func (*ApplicationConfigAcsUrlTooltipVariables) SetMessage

SetMessage gets a reference to the given string and assigns it to the Message field.

func (ApplicationConfigAcsUrlTooltipVariables) ToMap

func (o ApplicationConfigAcsUrlTooltipVariables) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigAcsUrlTooltipVariables) UnmarshalJSON

func (o *ApplicationConfigAcsUrlTooltipVariables) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigConstantAttributes

type ApplicationConfigConstantAttributes struct {
	Label                *string                                         `json:"label,omitempty"`
	Mutable              *bool                                           `json:"mutable,omitempty"`
	Position             *int32                                          `json:"position,omitempty"`
	ReadOnly             *bool                                           `json:"readOnly,omitempty"`
	Required             *bool                                           `json:"required,omitempty"`
	Tooltip              *ApplicationConfigAcsUrlTooltip                 `json:"tooltip,omitempty"`
	Type                 *string                                         `json:"type,omitempty"`
	Value                []ApplicationConfigConstantAttributesValueInner `json:"value,omitempty"`
	Visible              *bool                                           `json:"visible,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigConstantAttributes struct for ApplicationConfigConstantAttributes

func NewApplicationConfigConstantAttributes

func NewApplicationConfigConstantAttributes() *ApplicationConfigConstantAttributes

NewApplicationConfigConstantAttributes instantiates a new ApplicationConfigConstantAttributes object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigConstantAttributesWithDefaults

func NewApplicationConfigConstantAttributesWithDefaults() *ApplicationConfigConstantAttributes

NewApplicationConfigConstantAttributesWithDefaults instantiates a new ApplicationConfigConstantAttributes object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigConstantAttributes) GetLabel

GetLabel returns the Label field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetLabelOk

func (o *ApplicationConfigConstantAttributes) GetLabelOk() (*string, bool)

GetLabelOk returns a tuple with the Label field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetMutable

func (o *ApplicationConfigConstantAttributes) GetMutable() bool

GetMutable returns the Mutable field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetMutableOk

func (o *ApplicationConfigConstantAttributes) GetMutableOk() (*bool, bool)

GetMutableOk returns a tuple with the Mutable field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetPosition

func (o *ApplicationConfigConstantAttributes) GetPosition() int32

GetPosition returns the Position field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetPositionOk

func (o *ApplicationConfigConstantAttributes) GetPositionOk() (*int32, bool)

GetPositionOk returns a tuple with the Position field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetReadOnly

func (o *ApplicationConfigConstantAttributes) GetReadOnly() bool

GetReadOnly returns the ReadOnly field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetReadOnlyOk

func (o *ApplicationConfigConstantAttributes) GetReadOnlyOk() (*bool, bool)

GetReadOnlyOk returns a tuple with the ReadOnly field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetRequired

func (o *ApplicationConfigConstantAttributes) GetRequired() bool

GetRequired returns the Required field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetRequiredOk

func (o *ApplicationConfigConstantAttributes) GetRequiredOk() (*bool, bool)

GetRequiredOk returns a tuple with the Required field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetTooltip

GetTooltip returns the Tooltip field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetTooltipOk

GetTooltipOk returns a tuple with the Tooltip field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetTypeOk

func (o *ApplicationConfigConstantAttributes) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetValue

GetValue returns the Value field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetValueOk

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) GetVisible

func (o *ApplicationConfigConstantAttributes) GetVisible() bool

GetVisible returns the Visible field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributes) GetVisibleOk

func (o *ApplicationConfigConstantAttributes) GetVisibleOk() (*bool, bool)

GetVisibleOk returns a tuple with the Visible field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributes) HasLabel

HasLabel returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasMutable

func (o *ApplicationConfigConstantAttributes) HasMutable() bool

HasMutable returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasPosition

func (o *ApplicationConfigConstantAttributes) HasPosition() bool

HasPosition returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasReadOnly

func (o *ApplicationConfigConstantAttributes) HasReadOnly() bool

HasReadOnly returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasRequired

func (o *ApplicationConfigConstantAttributes) HasRequired() bool

HasRequired returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasTooltip

func (o *ApplicationConfigConstantAttributes) HasTooltip() bool

HasTooltip returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasType

HasType returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasValue

HasValue returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributes) HasVisible

func (o *ApplicationConfigConstantAttributes) HasVisible() bool

HasVisible returns a boolean if a field has been set.

func (ApplicationConfigConstantAttributes) MarshalJSON

func (o ApplicationConfigConstantAttributes) MarshalJSON() ([]byte, error)

func (*ApplicationConfigConstantAttributes) SetLabel

SetLabel gets a reference to the given string and assigns it to the Label field.

func (*ApplicationConfigConstantAttributes) SetMutable

func (o *ApplicationConfigConstantAttributes) SetMutable(v bool)

SetMutable gets a reference to the given bool and assigns it to the Mutable field.

func (*ApplicationConfigConstantAttributes) SetPosition

func (o *ApplicationConfigConstantAttributes) SetPosition(v int32)

SetPosition gets a reference to the given int32 and assigns it to the Position field.

func (*ApplicationConfigConstantAttributes) SetReadOnly

func (o *ApplicationConfigConstantAttributes) SetReadOnly(v bool)

SetReadOnly gets a reference to the given bool and assigns it to the ReadOnly field.

func (*ApplicationConfigConstantAttributes) SetRequired

func (o *ApplicationConfigConstantAttributes) SetRequired(v bool)

SetRequired gets a reference to the given bool and assigns it to the Required field.

func (*ApplicationConfigConstantAttributes) SetTooltip

SetTooltip gets a reference to the given ApplicationConfigAcsUrlTooltip and assigns it to the Tooltip field.

func (*ApplicationConfigConstantAttributes) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (*ApplicationConfigConstantAttributes) SetValue

SetValue gets a reference to the given []ApplicationConfigConstantAttributesValueInner and assigns it to the Value field.

func (*ApplicationConfigConstantAttributes) SetVisible

func (o *ApplicationConfigConstantAttributes) SetVisible(v bool)

SetVisible gets a reference to the given bool and assigns it to the Visible field.

func (ApplicationConfigConstantAttributes) ToMap

func (o ApplicationConfigConstantAttributes) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigConstantAttributes) UnmarshalJSON

func (o *ApplicationConfigConstantAttributes) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigConstantAttributesValueInner

type ApplicationConfigConstantAttributesValueInner struct {
	Name                 *string `json:"name,omitempty"`
	ReadOnly             *bool   `json:"readOnly,omitempty"`
	Required             *bool   `json:"required,omitempty"`
	Value                *string `json:"value,omitempty"`
	Visible              *bool   `json:"visible,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigConstantAttributesValueInner struct for ApplicationConfigConstantAttributesValueInner

func NewApplicationConfigConstantAttributesValueInner

func NewApplicationConfigConstantAttributesValueInner() *ApplicationConfigConstantAttributesValueInner

NewApplicationConfigConstantAttributesValueInner instantiates a new ApplicationConfigConstantAttributesValueInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigConstantAttributesValueInnerWithDefaults

func NewApplicationConfigConstantAttributesValueInnerWithDefaults() *ApplicationConfigConstantAttributesValueInner

NewApplicationConfigConstantAttributesValueInnerWithDefaults instantiates a new ApplicationConfigConstantAttributesValueInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigConstantAttributesValueInner) GetName

GetName returns the Name field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributesValueInner) GetNameOk

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributesValueInner) GetReadOnly

GetReadOnly returns the ReadOnly field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributesValueInner) GetReadOnlyOk

GetReadOnlyOk returns a tuple with the ReadOnly field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributesValueInner) GetRequired

GetRequired returns the Required field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributesValueInner) GetRequiredOk

GetRequiredOk returns a tuple with the Required field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributesValueInner) GetValue

GetValue returns the Value field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributesValueInner) GetValueOk

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributesValueInner) GetVisible

GetVisible returns the Visible field value if set, zero value otherwise.

func (*ApplicationConfigConstantAttributesValueInner) GetVisibleOk

GetVisibleOk returns a tuple with the Visible field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigConstantAttributesValueInner) HasName

HasName returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributesValueInner) HasReadOnly

HasReadOnly returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributesValueInner) HasRequired

HasRequired returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributesValueInner) HasValue

HasValue returns a boolean if a field has been set.

func (*ApplicationConfigConstantAttributesValueInner) HasVisible

HasVisible returns a boolean if a field has been set.

func (ApplicationConfigConstantAttributesValueInner) MarshalJSON

func (*ApplicationConfigConstantAttributesValueInner) SetName

SetName gets a reference to the given string and assigns it to the Name field.

func (*ApplicationConfigConstantAttributesValueInner) SetReadOnly

SetReadOnly gets a reference to the given bool and assigns it to the ReadOnly field.

func (*ApplicationConfigConstantAttributesValueInner) SetRequired

SetRequired gets a reference to the given bool and assigns it to the Required field.

func (*ApplicationConfigConstantAttributesValueInner) SetValue

SetValue gets a reference to the given string and assigns it to the Value field.

func (*ApplicationConfigConstantAttributesValueInner) SetVisible

SetVisible gets a reference to the given bool and assigns it to the Visible field.

func (ApplicationConfigConstantAttributesValueInner) ToMap

func (o ApplicationConfigConstantAttributesValueInner) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigConstantAttributesValueInner) UnmarshalJSON

func (o *ApplicationConfigConstantAttributesValueInner) UnmarshalJSON(bytes []byte) (err error)

type ApplicationConfigDatabaseAttributes

type ApplicationConfigDatabaseAttributes struct {
	Position             *int32 `json:"position,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationConfigDatabaseAttributes struct for ApplicationConfigDatabaseAttributes

func NewApplicationConfigDatabaseAttributes

func NewApplicationConfigDatabaseAttributes() *ApplicationConfigDatabaseAttributes

NewApplicationConfigDatabaseAttributes instantiates a new ApplicationConfigDatabaseAttributes object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationConfigDatabaseAttributesWithDefaults

func NewApplicationConfigDatabaseAttributesWithDefaults() *ApplicationConfigDatabaseAttributes

NewApplicationConfigDatabaseAttributesWithDefaults instantiates a new ApplicationConfigDatabaseAttributes object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationConfigDatabaseAttributes) GetPosition

func (o *ApplicationConfigDatabaseAttributes) GetPosition() int32

GetPosition returns the Position field value if set, zero value otherwise.

func (*ApplicationConfigDatabaseAttributes) GetPositionOk

func (o *ApplicationConfigDatabaseAttributes) GetPositionOk() (*int32, bool)

GetPositionOk returns a tuple with the Position field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationConfigDatabaseAttributes) HasPosition

func (o *ApplicationConfigDatabaseAttributes) HasPosition() bool

HasPosition returns a boolean if a field has been set.

func (ApplicationConfigDatabaseAttributes) MarshalJSON

func (o ApplicationConfigDatabaseAttributes) MarshalJSON() ([]byte, error)

func (*ApplicationConfigDatabaseAttributes) SetPosition

func (o *ApplicationConfigDatabaseAttributes) SetPosition(v int32)

SetPosition gets a reference to the given int32 and assigns it to the Position field.

func (ApplicationConfigDatabaseAttributes) ToMap

func (o ApplicationConfigDatabaseAttributes) ToMap() (map[string]interface{}, error)

func (*ApplicationConfigDatabaseAttributes) UnmarshalJSON

func (o *ApplicationConfigDatabaseAttributes) UnmarshalJSON(bytes []byte) (err error)
type ApplicationLogo struct {
	Color                *string `json:"color,omitempty"`
	Url                  *string `json:"url,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationLogo struct for ApplicationLogo

func NewApplicationLogo() *ApplicationLogo

NewApplicationLogo instantiates a new ApplicationLogo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationLogoWithDefaults

func NewApplicationLogoWithDefaults() *ApplicationLogo

NewApplicationLogoWithDefaults instantiates a new ApplicationLogo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationLogo) GetColor

func (o *ApplicationLogo) GetColor() string

GetColor returns the Color field value if set, zero value otherwise.

func (*ApplicationLogo) GetColorOk

func (o *ApplicationLogo) GetColorOk() (*string, bool)

GetColorOk returns a tuple with the Color field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationLogo) GetUrl

func (o *ApplicationLogo) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*ApplicationLogo) GetUrlOk

func (o *ApplicationLogo) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationLogo) HasColor

func (o *ApplicationLogo) HasColor() bool

HasColor returns a boolean if a field has been set.

func (*ApplicationLogo) HasUrl

func (o *ApplicationLogo) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (ApplicationLogo) MarshalJSON

func (o ApplicationLogo) MarshalJSON() ([]byte, error)

func (*ApplicationLogo) SetColor

func (o *ApplicationLogo) SetColor(v string)

SetColor gets a reference to the given string and assigns it to the Color field.

func (*ApplicationLogo) SetUrl

func (o *ApplicationLogo) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

func (ApplicationLogo) ToMap

func (o ApplicationLogo) ToMap() (map[string]interface{}, error)

func (*ApplicationLogo) UnmarshalJSON

func (o *ApplicationLogo) UnmarshalJSON(bytes []byte) (err error)

type ApplicationTemplatesApiApplicationTemplatesGetRequest

type ApplicationTemplatesApiApplicationTemplatesGetRequest struct {
	ApiService *ApplicationTemplatesApiService
	// contains filtered or unexported fields
}

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Execute

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Fields

The space separated fields included in the returned records. If omitted the default list of fields will be returned.

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Limit

The number of records to return at once.

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Skip

The offset into the records to return.

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) Sort

The space separated fields used to sort the collection. Default sort is ascending, prefix with - to sort descending.

func (ApplicationTemplatesApiApplicationTemplatesGetRequest) XOrgId

type ApplicationTemplatesApiApplicationTemplatesListRequest

type ApplicationTemplatesApiApplicationTemplatesListRequest struct {
	ApiService *ApplicationTemplatesApiService
	// contains filtered or unexported fields
}

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Execute

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Fields

The space separated fields included in the returned records. If omitted the default list of fields will be returned.

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Limit

The number of records to return at once.

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Skip

The offset into the records to return.

func (ApplicationTemplatesApiApplicationTemplatesListRequest) Sort

The space separated fields used to sort the collection. Default sort is ascending, prefix with - to sort descending.

func (ApplicationTemplatesApiApplicationTemplatesListRequest) XOrgId

type ApplicationTemplatesApiService

type ApplicationTemplatesApiService service

ApplicationTemplatesApiService ApplicationTemplatesApi service

func (*ApplicationTemplatesApiService) ApplicationTemplatesGet

ApplicationTemplatesGet Get an Application Template

The endpoint returns a specific SSO / SAML Application Template.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/application-templates/{id} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ApplicationTemplatesApiApplicationTemplatesGetRequest

func (*ApplicationTemplatesApiService) ApplicationTemplatesGetExecute

Execute executes the request

@return Applicationtemplate

func (*ApplicationTemplatesApiService) ApplicationTemplatesList

ApplicationTemplatesList List Application Templates

The endpoint returns all the SSO / SAML Application Templates.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/application-templates \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApplicationTemplatesApiApplicationTemplatesListRequest

func (*ApplicationTemplatesApiService) ApplicationTemplatesListExecute

Execute executes the request

@return Applicationtemplateslist

type ApplicationsApiApplicationsDeleteRequest

type ApplicationsApiApplicationsDeleteRequest struct {
	ApiService *ApplicationsApiService
	// contains filtered or unexported fields
}

func (ApplicationsApiApplicationsDeleteRequest) Execute

func (ApplicationsApiApplicationsDeleteRequest) XOrgId

type ApplicationsApiApplicationsGetRequest

type ApplicationsApiApplicationsGetRequest struct {
	ApiService *ApplicationsApiService
	// contains filtered or unexported fields
}

func (ApplicationsApiApplicationsGetRequest) Execute

func (ApplicationsApiApplicationsGetRequest) XOrgId

type ApplicationsApiApplicationsListRequest

type ApplicationsApiApplicationsListRequest struct {
	ApiService *ApplicationsApiService
	// contains filtered or unexported fields
}

func (ApplicationsApiApplicationsListRequest) Execute

func (ApplicationsApiApplicationsListRequest) Fields

The space separated fields included in the returned records. If omitted the default list of fields will be returned.

func (ApplicationsApiApplicationsListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (ApplicationsApiApplicationsListRequest) Limit

The number of records to return at once.

func (ApplicationsApiApplicationsListRequest) Skip

The offset into the records to return.

func (ApplicationsApiApplicationsListRequest) Sort

The space separated fields used to sort the collection. Default sort is ascending, prefix with - to sort descending.

func (ApplicationsApiApplicationsListRequest) XOrgId

type ApplicationsApiApplicationsPostRequest

type ApplicationsApiApplicationsPostRequest struct {
	ApiService *ApplicationsApiService
	// contains filtered or unexported fields
}

func (ApplicationsApiApplicationsPostRequest) Body

func (ApplicationsApiApplicationsPostRequest) Execute

func (ApplicationsApiApplicationsPostRequest) XOrgId

type ApplicationsApiApplicationsPutRequest

type ApplicationsApiApplicationsPutRequest struct {
	ApiService *ApplicationsApiService
	// contains filtered or unexported fields
}

func (ApplicationsApiApplicationsPutRequest) Body

func (ApplicationsApiApplicationsPutRequest) Execute

func (ApplicationsApiApplicationsPutRequest) XOrgId

type ApplicationsApiService

type ApplicationsApiService service

ApplicationsApiService ApplicationsApi service

func (*ApplicationsApiService) ApplicationsDelete

ApplicationsDelete Delete an Application

The endpoint deletes an SSO / SAML Application.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ApplicationsApiApplicationsDeleteRequest

func (*ApplicationsApiService) ApplicationsDeleteExecute

Execute executes the request

@return Application

func (*ApplicationsApiService) ApplicationsGet

ApplicationsGet Get an Application

The endpoint retrieves an SSO / SAML Application.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ApplicationsApiApplicationsGetRequest

func (*ApplicationsApiService) ApplicationsGetExecute

Execute executes the request

@return Application

func (*ApplicationsApiService) ApplicationsList

ApplicationsList Applications

The endpoint returns all your SSO / SAML Applications.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/applications \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApplicationsApiApplicationsListRequest

func (*ApplicationsApiService) ApplicationsListExecute

Execute executes the request

@return Applicationslist

func (*ApplicationsApiService) ApplicationsPost

ApplicationsPost Create an Application

The endpoint adds a new SSO / SAML Applications.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return ApplicationsApiApplicationsPostRequest

func (*ApplicationsApiService) ApplicationsPostExecute

Execute executes the request

@return Application

func (*ApplicationsApiService) ApplicationsPut

ApplicationsPut Update an Application

The endpoint updates a SSO / SAML Application. Any fields not provided will be reset or created with default values.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ApplicationsApiApplicationsPutRequest

func (*ApplicationsApiService) ApplicationsPutExecute

Execute executes the request

@return Application

type Applicationslist

type Applicationslist struct {
	Name *string `json:"name,omitempty"`
	// The list of applications.
	Results []Application `json:"results,omitempty"`
	// The total number of applications.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Applicationslist struct for Applicationslist

func NewApplicationslist

func NewApplicationslist() *Applicationslist

NewApplicationslist instantiates a new Applicationslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationslistWithDefaults

func NewApplicationslistWithDefaults() *Applicationslist

NewApplicationslistWithDefaults instantiates a new Applicationslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Applicationslist) GetName

func (o *Applicationslist) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Applicationslist) GetNameOk

func (o *Applicationslist) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationslist) GetResults

func (o *Applicationslist) GetResults() []Application

GetResults returns the Results field value if set, zero value otherwise.

func (*Applicationslist) GetResultsOk

func (o *Applicationslist) GetResultsOk() ([]Application, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationslist) GetTotalCount

func (o *Applicationslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Applicationslist) GetTotalCountOk

func (o *Applicationslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationslist) HasName

func (o *Applicationslist) HasName() bool

HasName returns a boolean if a field has been set.

func (*Applicationslist) HasResults

func (o *Applicationslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Applicationslist) HasTotalCount

func (o *Applicationslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Applicationslist) MarshalJSON

func (o Applicationslist) MarshalJSON() ([]byte, error)

func (*Applicationslist) SetName

func (o *Applicationslist) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Applicationslist) SetResults

func (o *Applicationslist) SetResults(v []Application)

SetResults gets a reference to the given []Application and assigns it to the Results field.

func (*Applicationslist) SetTotalCount

func (o *Applicationslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Applicationslist) ToMap

func (o Applicationslist) ToMap() (map[string]interface{}, error)

func (*Applicationslist) UnmarshalJSON

func (o *Applicationslist) UnmarshalJSON(bytes []byte) (err error)

type Applicationtemplate

type Applicationtemplate struct {
	Id                   *string                       `json:"_id,omitempty"`
	Active               *bool                         `json:"active,omitempty"`
	Beta                 *bool                         `json:"beta,omitempty"`
	Color                *string                       `json:"color,omitempty"`
	Config               *ApplicationConfig            `json:"config,omitempty"`
	DisplayLabel         *string                       `json:"displayLabel,omitempty"`
	DisplayName          *string                       `json:"displayName,omitempty"`
	IsConfigured         *bool                         `json:"isConfigured,omitempty"`
	Jit                  *ApplicationtemplateJit       `json:"jit,omitempty"`
	Keywords             []string                      `json:"keywords,omitempty"`
	LearnMore            *string                       `json:"learnMore,omitempty"`
	Name                 *string                       `json:"name,omitempty"`
	Oidc                 *ApplicationtemplateOidc      `json:"oidc,omitempty"`
	Provision            *ApplicationtemplateProvision `json:"provision,omitempty"`
	Sso                  *Sso                          `json:"sso,omitempty"`
	SsoUrl               *string                       `json:"ssoUrl,omitempty"`
	Status               *string                       `json:"status,omitempty"`
	Test                 *string                       `json:"test,omitempty"`
	AdditionalProperties map[string]interface{}
}

Applicationtemplate struct for Applicationtemplate

func NewApplicationtemplate

func NewApplicationtemplate() *Applicationtemplate

NewApplicationtemplate instantiates a new Applicationtemplate object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateWithDefaults

func NewApplicationtemplateWithDefaults() *Applicationtemplate

NewApplicationtemplateWithDefaults instantiates a new Applicationtemplate object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Applicationtemplate) GetActive

func (o *Applicationtemplate) GetActive() bool

GetActive returns the Active field value if set, zero value otherwise.

func (*Applicationtemplate) GetActiveOk

func (o *Applicationtemplate) GetActiveOk() (*bool, bool)

GetActiveOk returns a tuple with the Active field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetBeta

func (o *Applicationtemplate) GetBeta() bool

GetBeta returns the Beta field value if set, zero value otherwise.

func (*Applicationtemplate) GetBetaOk

func (o *Applicationtemplate) GetBetaOk() (*bool, bool)

GetBetaOk returns a tuple with the Beta field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetColor

func (o *Applicationtemplate) GetColor() string

GetColor returns the Color field value if set, zero value otherwise.

func (*Applicationtemplate) GetColorOk

func (o *Applicationtemplate) GetColorOk() (*string, bool)

GetColorOk returns a tuple with the Color field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetConfig

func (o *Applicationtemplate) GetConfig() ApplicationConfig

GetConfig returns the Config field value if set, zero value otherwise.

func (*Applicationtemplate) GetConfigOk

func (o *Applicationtemplate) GetConfigOk() (*ApplicationConfig, bool)

GetConfigOk returns a tuple with the Config field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetDisplayLabel

func (o *Applicationtemplate) GetDisplayLabel() string

GetDisplayLabel returns the DisplayLabel field value if set, zero value otherwise.

func (*Applicationtemplate) GetDisplayLabelOk

func (o *Applicationtemplate) GetDisplayLabelOk() (*string, bool)

GetDisplayLabelOk returns a tuple with the DisplayLabel field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetDisplayName

func (o *Applicationtemplate) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*Applicationtemplate) GetDisplayNameOk

func (o *Applicationtemplate) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetId

func (o *Applicationtemplate) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Applicationtemplate) GetIdOk

func (o *Applicationtemplate) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetIsConfigured

func (o *Applicationtemplate) GetIsConfigured() bool

GetIsConfigured returns the IsConfigured field value if set, zero value otherwise.

func (*Applicationtemplate) GetIsConfiguredOk

func (o *Applicationtemplate) GetIsConfiguredOk() (*bool, bool)

GetIsConfiguredOk returns a tuple with the IsConfigured field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetJit

GetJit returns the Jit field value if set, zero value otherwise.

func (*Applicationtemplate) GetJitOk

GetJitOk returns a tuple with the Jit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetKeywords

func (o *Applicationtemplate) GetKeywords() []string

GetKeywords returns the Keywords field value if set, zero value otherwise.

func (*Applicationtemplate) GetKeywordsOk

func (o *Applicationtemplate) GetKeywordsOk() ([]string, bool)

GetKeywordsOk returns a tuple with the Keywords field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetLearnMore

func (o *Applicationtemplate) GetLearnMore() string

GetLearnMore returns the LearnMore field value if set, zero value otherwise.

func (*Applicationtemplate) GetLearnMoreOk

func (o *Applicationtemplate) GetLearnMoreOk() (*string, bool)

GetLearnMoreOk returns a tuple with the LearnMore field value if set, nil otherwise and a boolean to check if the value has been set.

GetLogo returns the Logo field value if set, zero value otherwise.

func (*Applicationtemplate) GetLogoOk

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetName

func (o *Applicationtemplate) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Applicationtemplate) GetNameOk

func (o *Applicationtemplate) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetOidc

GetOidc returns the Oidc field value if set, zero value otherwise.

func (*Applicationtemplate) GetOidcOk

GetOidcOk returns a tuple with the Oidc field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetProvision

GetProvision returns the Provision field value if set, zero value otherwise.

func (*Applicationtemplate) GetProvisionOk

func (o *Applicationtemplate) GetProvisionOk() (*ApplicationtemplateProvision, bool)

GetProvisionOk returns a tuple with the Provision field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetSso

func (o *Applicationtemplate) GetSso() Sso

GetSso returns the Sso field value if set, zero value otherwise.

func (*Applicationtemplate) GetSsoOk

func (o *Applicationtemplate) GetSsoOk() (*Sso, bool)

GetSsoOk returns a tuple with the Sso field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetSsoUrl

func (o *Applicationtemplate) GetSsoUrl() string

GetSsoUrl returns the SsoUrl field value if set, zero value otherwise.

func (*Applicationtemplate) GetSsoUrlOk

func (o *Applicationtemplate) GetSsoUrlOk() (*string, bool)

GetSsoUrlOk returns a tuple with the SsoUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetStatus

func (o *Applicationtemplate) GetStatus() string

GetStatus returns the Status field value if set, zero value otherwise.

func (*Applicationtemplate) GetStatusOk

func (o *Applicationtemplate) GetStatusOk() (*string, bool)

GetStatusOk returns a tuple with the Status field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) GetTest

func (o *Applicationtemplate) GetTest() string

GetTest returns the Test field value if set, zero value otherwise.

func (*Applicationtemplate) GetTestOk

func (o *Applicationtemplate) GetTestOk() (*string, bool)

GetTestOk returns a tuple with the Test field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplate) HasActive

func (o *Applicationtemplate) HasActive() bool

HasActive returns a boolean if a field has been set.

func (*Applicationtemplate) HasBeta

func (o *Applicationtemplate) HasBeta() bool

HasBeta returns a boolean if a field has been set.

func (*Applicationtemplate) HasColor

func (o *Applicationtemplate) HasColor() bool

HasColor returns a boolean if a field has been set.

func (*Applicationtemplate) HasConfig

func (o *Applicationtemplate) HasConfig() bool

HasConfig returns a boolean if a field has been set.

func (*Applicationtemplate) HasDisplayLabel

func (o *Applicationtemplate) HasDisplayLabel() bool

HasDisplayLabel returns a boolean if a field has been set.

func (*Applicationtemplate) HasDisplayName

func (o *Applicationtemplate) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*Applicationtemplate) HasId

func (o *Applicationtemplate) HasId() bool

HasId returns a boolean if a field has been set.

func (*Applicationtemplate) HasIsConfigured

func (o *Applicationtemplate) HasIsConfigured() bool

HasIsConfigured returns a boolean if a field has been set.

func (*Applicationtemplate) HasJit

func (o *Applicationtemplate) HasJit() bool

HasJit returns a boolean if a field has been set.

func (*Applicationtemplate) HasKeywords

func (o *Applicationtemplate) HasKeywords() bool

HasKeywords returns a boolean if a field has been set.

func (*Applicationtemplate) HasLearnMore

func (o *Applicationtemplate) HasLearnMore() bool

HasLearnMore returns a boolean if a field has been set.

func (o *Applicationtemplate) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*Applicationtemplate) HasName

func (o *Applicationtemplate) HasName() bool

HasName returns a boolean if a field has been set.

func (*Applicationtemplate) HasOidc

func (o *Applicationtemplate) HasOidc() bool

HasOidc returns a boolean if a field has been set.

func (*Applicationtemplate) HasProvision

func (o *Applicationtemplate) HasProvision() bool

HasProvision returns a boolean if a field has been set.

func (*Applicationtemplate) HasSso

func (o *Applicationtemplate) HasSso() bool

HasSso returns a boolean if a field has been set.

func (*Applicationtemplate) HasSsoUrl

func (o *Applicationtemplate) HasSsoUrl() bool

HasSsoUrl returns a boolean if a field has been set.

func (*Applicationtemplate) HasStatus

func (o *Applicationtemplate) HasStatus() bool

HasStatus returns a boolean if a field has been set.

func (*Applicationtemplate) HasTest

func (o *Applicationtemplate) HasTest() bool

HasTest returns a boolean if a field has been set.

func (Applicationtemplate) MarshalJSON

func (o Applicationtemplate) MarshalJSON() ([]byte, error)

func (*Applicationtemplate) SetActive

func (o *Applicationtemplate) SetActive(v bool)

SetActive gets a reference to the given bool and assigns it to the Active field.

func (*Applicationtemplate) SetBeta

func (o *Applicationtemplate) SetBeta(v bool)

SetBeta gets a reference to the given bool and assigns it to the Beta field.

func (*Applicationtemplate) SetColor

func (o *Applicationtemplate) SetColor(v string)

SetColor gets a reference to the given string and assigns it to the Color field.

func (*Applicationtemplate) SetConfig

func (o *Applicationtemplate) SetConfig(v ApplicationConfig)

SetConfig gets a reference to the given ApplicationConfig and assigns it to the Config field.

func (*Applicationtemplate) SetDisplayLabel

func (o *Applicationtemplate) SetDisplayLabel(v string)

SetDisplayLabel gets a reference to the given string and assigns it to the DisplayLabel field.

func (*Applicationtemplate) SetDisplayName

func (o *Applicationtemplate) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*Applicationtemplate) SetId

func (o *Applicationtemplate) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Applicationtemplate) SetIsConfigured

func (o *Applicationtemplate) SetIsConfigured(v bool)

SetIsConfigured gets a reference to the given bool and assigns it to the IsConfigured field.

func (*Applicationtemplate) SetJit

SetJit gets a reference to the given ApplicationtemplateJit and assigns it to the Jit field.

func (*Applicationtemplate) SetKeywords

func (o *Applicationtemplate) SetKeywords(v []string)

SetKeywords gets a reference to the given []string and assigns it to the Keywords field.

func (*Applicationtemplate) SetLearnMore

func (o *Applicationtemplate) SetLearnMore(v string)

SetLearnMore gets a reference to the given string and assigns it to the LearnMore field.

SetLogo gets a reference to the given ApplicationtemplateLogo and assigns it to the Logo field.

func (*Applicationtemplate) SetName

func (o *Applicationtemplate) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Applicationtemplate) SetOidc

SetOidc gets a reference to the given ApplicationtemplateOidc and assigns it to the Oidc field.

func (*Applicationtemplate) SetProvision

SetProvision gets a reference to the given ApplicationtemplateProvision and assigns it to the Provision field.

func (*Applicationtemplate) SetSso

func (o *Applicationtemplate) SetSso(v Sso)

SetSso gets a reference to the given Sso and assigns it to the Sso field.

func (*Applicationtemplate) SetSsoUrl

func (o *Applicationtemplate) SetSsoUrl(v string)

SetSsoUrl gets a reference to the given string and assigns it to the SsoUrl field.

func (*Applicationtemplate) SetStatus

func (o *Applicationtemplate) SetStatus(v string)

SetStatus gets a reference to the given string and assigns it to the Status field.

func (*Applicationtemplate) SetTest

func (o *Applicationtemplate) SetTest(v string)

SetTest gets a reference to the given string and assigns it to the Test field.

func (Applicationtemplate) ToMap

func (o Applicationtemplate) ToMap() (map[string]interface{}, error)

func (*Applicationtemplate) UnmarshalJSON

func (o *Applicationtemplate) UnmarshalJSON(bytes []byte) (err error)

type ApplicationtemplateJit

type ApplicationtemplateJit struct {
	Attributes           map[string]interface{} `json:"attributes,omitempty"`
	CreateOnly           *bool                  `json:"createOnly,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationtemplateJit struct for ApplicationtemplateJit

func NewApplicationtemplateJit

func NewApplicationtemplateJit() *ApplicationtemplateJit

NewApplicationtemplateJit instantiates a new ApplicationtemplateJit object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateJitWithDefaults

func NewApplicationtemplateJitWithDefaults() *ApplicationtemplateJit

NewApplicationtemplateJitWithDefaults instantiates a new ApplicationtemplateJit object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationtemplateJit) GetAttributes

func (o *ApplicationtemplateJit) GetAttributes() map[string]interface{}

GetAttributes returns the Attributes field value if set, zero value otherwise.

func (*ApplicationtemplateJit) GetAttributesOk

func (o *ApplicationtemplateJit) GetAttributesOk() (map[string]interface{}, bool)

GetAttributesOk returns a tuple with the Attributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateJit) GetCreateOnly

func (o *ApplicationtemplateJit) GetCreateOnly() bool

GetCreateOnly returns the CreateOnly field value if set, zero value otherwise.

func (*ApplicationtemplateJit) GetCreateOnlyOk

func (o *ApplicationtemplateJit) GetCreateOnlyOk() (*bool, bool)

GetCreateOnlyOk returns a tuple with the CreateOnly field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateJit) HasAttributes

func (o *ApplicationtemplateJit) HasAttributes() bool

HasAttributes returns a boolean if a field has been set.

func (*ApplicationtemplateJit) HasCreateOnly

func (o *ApplicationtemplateJit) HasCreateOnly() bool

HasCreateOnly returns a boolean if a field has been set.

func (ApplicationtemplateJit) MarshalJSON

func (o ApplicationtemplateJit) MarshalJSON() ([]byte, error)

func (*ApplicationtemplateJit) SetAttributes

func (o *ApplicationtemplateJit) SetAttributes(v map[string]interface{})

SetAttributes gets a reference to the given map[string]interface{} and assigns it to the Attributes field.

func (*ApplicationtemplateJit) SetCreateOnly

func (o *ApplicationtemplateJit) SetCreateOnly(v bool)

SetCreateOnly gets a reference to the given bool and assigns it to the CreateOnly field.

func (ApplicationtemplateJit) ToMap

func (o ApplicationtemplateJit) ToMap() (map[string]interface{}, error)

func (*ApplicationtemplateJit) UnmarshalJSON

func (o *ApplicationtemplateJit) UnmarshalJSON(bytes []byte) (err error)
type ApplicationtemplateLogo struct {
	Url                  *string `json:"url,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationtemplateLogo struct for ApplicationtemplateLogo

func NewApplicationtemplateLogo() *ApplicationtemplateLogo

NewApplicationtemplateLogo instantiates a new ApplicationtemplateLogo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateLogoWithDefaults

func NewApplicationtemplateLogoWithDefaults() *ApplicationtemplateLogo

NewApplicationtemplateLogoWithDefaults instantiates a new ApplicationtemplateLogo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationtemplateLogo) GetUrl

func (o *ApplicationtemplateLogo) GetUrl() string

GetUrl returns the Url field value if set, zero value otherwise.

func (*ApplicationtemplateLogo) GetUrlOk

func (o *ApplicationtemplateLogo) GetUrlOk() (*string, bool)

GetUrlOk returns a tuple with the Url field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateLogo) HasUrl

func (o *ApplicationtemplateLogo) HasUrl() bool

HasUrl returns a boolean if a field has been set.

func (ApplicationtemplateLogo) MarshalJSON

func (o ApplicationtemplateLogo) MarshalJSON() ([]byte, error)

func (*ApplicationtemplateLogo) SetUrl

func (o *ApplicationtemplateLogo) SetUrl(v string)

SetUrl gets a reference to the given string and assigns it to the Url field.

func (ApplicationtemplateLogo) ToMap

func (o ApplicationtemplateLogo) ToMap() (map[string]interface{}, error)

func (*ApplicationtemplateLogo) UnmarshalJSON

func (o *ApplicationtemplateLogo) UnmarshalJSON(bytes []byte) (err error)

type ApplicationtemplateOidc

type ApplicationtemplateOidc struct {
	// The grant types allowed. Currently only authorization_code is allowed.
	GrantTypes []string `json:"grantTypes,omitempty"`
	// List of allowed redirectUris
	RedirectUris []string `json:"redirectUris,omitempty"`
	// The relying party url to trigger an oidc login.
	SsoUrl *string `json:"ssoUrl,omitempty"`
	// Method that the client uses to authenticate when requesting a token. If 'none', then the client must use PKCE. If 'client_secret_post', then the secret is passed in the post body when requesting the token.
	TokenEndpointAuthMethod *string `json:"tokenEndpointAuthMethod,omitempty"`
	AdditionalProperties    map[string]interface{}
}

ApplicationtemplateOidc struct for ApplicationtemplateOidc

func NewApplicationtemplateOidc

func NewApplicationtemplateOidc() *ApplicationtemplateOidc

NewApplicationtemplateOidc instantiates a new ApplicationtemplateOidc object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateOidcWithDefaults

func NewApplicationtemplateOidcWithDefaults() *ApplicationtemplateOidc

NewApplicationtemplateOidcWithDefaults instantiates a new ApplicationtemplateOidc object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationtemplateOidc) GetGrantTypes

func (o *ApplicationtemplateOidc) GetGrantTypes() []string

GetGrantTypes returns the GrantTypes field value if set, zero value otherwise.

func (*ApplicationtemplateOidc) GetGrantTypesOk

func (o *ApplicationtemplateOidc) GetGrantTypesOk() ([]string, bool)

GetGrantTypesOk returns a tuple with the GrantTypes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateOidc) GetRedirectUris

func (o *ApplicationtemplateOidc) GetRedirectUris() []string

GetRedirectUris returns the RedirectUris field value if set, zero value otherwise.

func (*ApplicationtemplateOidc) GetRedirectUrisOk

func (o *ApplicationtemplateOidc) GetRedirectUrisOk() ([]string, bool)

GetRedirectUrisOk returns a tuple with the RedirectUris field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateOidc) GetSsoUrl

func (o *ApplicationtemplateOidc) GetSsoUrl() string

GetSsoUrl returns the SsoUrl field value if set, zero value otherwise.

func (*ApplicationtemplateOidc) GetSsoUrlOk

func (o *ApplicationtemplateOidc) GetSsoUrlOk() (*string, bool)

GetSsoUrlOk returns a tuple with the SsoUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateOidc) GetTokenEndpointAuthMethod

func (o *ApplicationtemplateOidc) GetTokenEndpointAuthMethod() string

GetTokenEndpointAuthMethod returns the TokenEndpointAuthMethod field value if set, zero value otherwise.

func (*ApplicationtemplateOidc) GetTokenEndpointAuthMethodOk

func (o *ApplicationtemplateOidc) GetTokenEndpointAuthMethodOk() (*string, bool)

GetTokenEndpointAuthMethodOk returns a tuple with the TokenEndpointAuthMethod field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateOidc) HasGrantTypes

func (o *ApplicationtemplateOidc) HasGrantTypes() bool

HasGrantTypes returns a boolean if a field has been set.

func (*ApplicationtemplateOidc) HasRedirectUris

func (o *ApplicationtemplateOidc) HasRedirectUris() bool

HasRedirectUris returns a boolean if a field has been set.

func (*ApplicationtemplateOidc) HasSsoUrl

func (o *ApplicationtemplateOidc) HasSsoUrl() bool

HasSsoUrl returns a boolean if a field has been set.

func (*ApplicationtemplateOidc) HasTokenEndpointAuthMethod

func (o *ApplicationtemplateOidc) HasTokenEndpointAuthMethod() bool

HasTokenEndpointAuthMethod returns a boolean if a field has been set.

func (ApplicationtemplateOidc) MarshalJSON

func (o ApplicationtemplateOidc) MarshalJSON() ([]byte, error)

func (*ApplicationtemplateOidc) SetGrantTypes

func (o *ApplicationtemplateOidc) SetGrantTypes(v []string)

SetGrantTypes gets a reference to the given []string and assigns it to the GrantTypes field.

func (*ApplicationtemplateOidc) SetRedirectUris

func (o *ApplicationtemplateOidc) SetRedirectUris(v []string)

SetRedirectUris gets a reference to the given []string and assigns it to the RedirectUris field.

func (*ApplicationtemplateOidc) SetSsoUrl

func (o *ApplicationtemplateOidc) SetSsoUrl(v string)

SetSsoUrl gets a reference to the given string and assigns it to the SsoUrl field.

func (*ApplicationtemplateOidc) SetTokenEndpointAuthMethod

func (o *ApplicationtemplateOidc) SetTokenEndpointAuthMethod(v string)

SetTokenEndpointAuthMethod gets a reference to the given string and assigns it to the TokenEndpointAuthMethod field.

func (ApplicationtemplateOidc) ToMap

func (o ApplicationtemplateOidc) ToMap() (map[string]interface{}, error)

func (*ApplicationtemplateOidc) UnmarshalJSON

func (o *ApplicationtemplateOidc) UnmarshalJSON(bytes []byte) (err error)

type ApplicationtemplateProvision

type ApplicationtemplateProvision struct {
	Beta                 *bool   `json:"beta,omitempty"`
	GroupsSupported      *bool   `json:"groups_supported,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

ApplicationtemplateProvision struct for ApplicationtemplateProvision

func NewApplicationtemplateProvision

func NewApplicationtemplateProvision() *ApplicationtemplateProvision

NewApplicationtemplateProvision instantiates a new ApplicationtemplateProvision object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateProvisionWithDefaults

func NewApplicationtemplateProvisionWithDefaults() *ApplicationtemplateProvision

NewApplicationtemplateProvisionWithDefaults instantiates a new ApplicationtemplateProvision object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ApplicationtemplateProvision) GetBeta

func (o *ApplicationtemplateProvision) GetBeta() bool

GetBeta returns the Beta field value if set, zero value otherwise.

func (*ApplicationtemplateProvision) GetBetaOk

func (o *ApplicationtemplateProvision) GetBetaOk() (*bool, bool)

GetBetaOk returns a tuple with the Beta field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateProvision) GetGroupsSupported

func (o *ApplicationtemplateProvision) GetGroupsSupported() bool

GetGroupsSupported returns the GroupsSupported field value if set, zero value otherwise.

func (*ApplicationtemplateProvision) GetGroupsSupportedOk

func (o *ApplicationtemplateProvision) GetGroupsSupportedOk() (*bool, bool)

GetGroupsSupportedOk returns a tuple with the GroupsSupported field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateProvision) GetType

func (o *ApplicationtemplateProvision) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*ApplicationtemplateProvision) GetTypeOk

func (o *ApplicationtemplateProvision) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ApplicationtemplateProvision) HasBeta

func (o *ApplicationtemplateProvision) HasBeta() bool

HasBeta returns a boolean if a field has been set.

func (*ApplicationtemplateProvision) HasGroupsSupported

func (o *ApplicationtemplateProvision) HasGroupsSupported() bool

HasGroupsSupported returns a boolean if a field has been set.

func (*ApplicationtemplateProvision) HasType

func (o *ApplicationtemplateProvision) HasType() bool

HasType returns a boolean if a field has been set.

func (ApplicationtemplateProvision) MarshalJSON

func (o ApplicationtemplateProvision) MarshalJSON() ([]byte, error)

func (*ApplicationtemplateProvision) SetBeta

func (o *ApplicationtemplateProvision) SetBeta(v bool)

SetBeta gets a reference to the given bool and assigns it to the Beta field.

func (*ApplicationtemplateProvision) SetGroupsSupported

func (o *ApplicationtemplateProvision) SetGroupsSupported(v bool)

SetGroupsSupported gets a reference to the given bool and assigns it to the GroupsSupported field.

func (*ApplicationtemplateProvision) SetType

func (o *ApplicationtemplateProvision) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (ApplicationtemplateProvision) ToMap

func (o ApplicationtemplateProvision) ToMap() (map[string]interface{}, error)

func (*ApplicationtemplateProvision) UnmarshalJSON

func (o *ApplicationtemplateProvision) UnmarshalJSON(bytes []byte) (err error)

type Applicationtemplateslist

type Applicationtemplateslist struct {
	// The list of applications.
	Results []Applicationtemplate `json:"results,omitempty"`
	// The total number of applications.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Applicationtemplateslist struct for Applicationtemplateslist

func NewApplicationtemplateslist

func NewApplicationtemplateslist() *Applicationtemplateslist

NewApplicationtemplateslist instantiates a new Applicationtemplateslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewApplicationtemplateslistWithDefaults

func NewApplicationtemplateslistWithDefaults() *Applicationtemplateslist

NewApplicationtemplateslistWithDefaults instantiates a new Applicationtemplateslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Applicationtemplateslist) GetResults

GetResults returns the Results field value if set, zero value otherwise.

func (*Applicationtemplateslist) GetResultsOk

func (o *Applicationtemplateslist) GetResultsOk() ([]Applicationtemplate, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplateslist) GetTotalCount

func (o *Applicationtemplateslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Applicationtemplateslist) GetTotalCountOk

func (o *Applicationtemplateslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Applicationtemplateslist) HasResults

func (o *Applicationtemplateslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Applicationtemplateslist) HasTotalCount

func (o *Applicationtemplateslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Applicationtemplateslist) MarshalJSON

func (o Applicationtemplateslist) MarshalJSON() ([]byte, error)

func (*Applicationtemplateslist) SetResults

func (o *Applicationtemplateslist) SetResults(v []Applicationtemplate)

SetResults gets a reference to the given []Applicationtemplate and assigns it to the Results field.

func (*Applicationtemplateslist) SetTotalCount

func (o *Applicationtemplateslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Applicationtemplateslist) ToMap

func (o Applicationtemplateslist) ToMap() (map[string]interface{}, error)

func (*Applicationtemplateslist) UnmarshalJSON

func (o *Applicationtemplateslist) UnmarshalJSON(bytes []byte) (err error)

type BasicAuth

type BasicAuth struct {
	UserName string `json:"userName,omitempty"`
	Password string `json:"password,omitempty"`
}

BasicAuth provides basic http authentication to a request passed via context using ContextBasicAuth

type Command

type Command struct {
	// The command to execute on the server.
	Command string `json:"command"`
	// An array of IDs of the Command Runner Users that can execute this command.
	CommandRunners []string `json:"commandRunners,omitempty"`
	// The Command OS
	CommandType string `json:"commandType"`
	// An array of file IDs to include with the command.
	Files []string `json:"files,omitempty"`
	// How the command will execute.
	LaunchType *string `json:"launchType,omitempty"`
	//
	ListensTo *string `json:"listensTo,omitempty"`
	Name      string  `json:"name"`
	// The ID of the organization.
	Organization *string `json:"organization,omitempty"`
	// A crontab that consists of: [ (seconds) (minutes) (hours) (days of month) (months) (weekdays) ] or [ immediate ]. If you send this as an empty string, it will run immediately.
	Schedule *string `json:"schedule,omitempty"`
	// When the command will repeat.
	ScheduleRepeatType *string `json:"scheduleRepeatType,omitempty"`
	// The year that a scheduled command will launch in.
	ScheduleYear *int32 `json:"scheduleYear,omitempty"`
	// The shell used to run the command.
	Shell *string `json:"shell,omitempty"`
	//
	Sudo *bool `json:"sudo,omitempty"`
	// Not used. Use /api/v2/commands/{id}/associations to bind commands to systems.
	Systems []string `json:"systems,omitempty"`
	// The template this command was created from
	Template *string `json:"template,omitempty"`
	// Time in seconds a command can wait in the queue to be run before timing out
	TimeToLiveSeconds *int32 `json:"timeToLiveSeconds,omitempty"`
	// The time in seconds to allow the command to run for.
	Timeout *string `json:"timeout,omitempty"`
	// The name of the command trigger.
	Trigger *string `json:"trigger,omitempty"`
	// The ID of the system user to run the command as. This field is required when creating a command with a commandType of \"mac\" or \"linux\".
	User                 *string `json:"user,omitempty"`
	AdditionalProperties map[string]interface{}
}

Command struct for Command

func NewCommand

func NewCommand(command string, commandType string, name string) *Command

NewCommand instantiates a new Command object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandWithDefaults

func NewCommandWithDefaults() *Command

NewCommandWithDefaults instantiates a new Command object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Command) GetCommand

func (o *Command) GetCommand() string

GetCommand returns the Command field value

func (*Command) GetCommandOk

func (o *Command) GetCommandOk() (*string, bool)

GetCommandOk returns a tuple with the Command field value and a boolean to check if the value has been set.

func (*Command) GetCommandRunners

func (o *Command) GetCommandRunners() []string

GetCommandRunners returns the CommandRunners field value if set, zero value otherwise.

func (*Command) GetCommandRunnersOk

func (o *Command) GetCommandRunnersOk() ([]string, bool)

GetCommandRunnersOk returns a tuple with the CommandRunners field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetCommandType

func (o *Command) GetCommandType() string

GetCommandType returns the CommandType field value

func (*Command) GetCommandTypeOk

func (o *Command) GetCommandTypeOk() (*string, bool)

GetCommandTypeOk returns a tuple with the CommandType field value and a boolean to check if the value has been set.

func (*Command) GetFiles

func (o *Command) GetFiles() []string

GetFiles returns the Files field value if set, zero value otherwise.

func (*Command) GetFilesOk

func (o *Command) GetFilesOk() ([]string, bool)

GetFilesOk returns a tuple with the Files field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetLaunchType

func (o *Command) GetLaunchType() string

GetLaunchType returns the LaunchType field value if set, zero value otherwise.

func (*Command) GetLaunchTypeOk

func (o *Command) GetLaunchTypeOk() (*string, bool)

GetLaunchTypeOk returns a tuple with the LaunchType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetListensTo

func (o *Command) GetListensTo() string

GetListensTo returns the ListensTo field value if set, zero value otherwise.

func (*Command) GetListensToOk

func (o *Command) GetListensToOk() (*string, bool)

GetListensToOk returns a tuple with the ListensTo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetName

func (o *Command) GetName() string

GetName returns the Name field value

func (*Command) GetNameOk

func (o *Command) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*Command) GetOrganization

func (o *Command) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Command) GetOrganizationOk

func (o *Command) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetSchedule

func (o *Command) GetSchedule() string

GetSchedule returns the Schedule field value if set, zero value otherwise.

func (*Command) GetScheduleOk

func (o *Command) GetScheduleOk() (*string, bool)

GetScheduleOk returns a tuple with the Schedule field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetScheduleRepeatType

func (o *Command) GetScheduleRepeatType() string

GetScheduleRepeatType returns the ScheduleRepeatType field value if set, zero value otherwise.

func (*Command) GetScheduleRepeatTypeOk

func (o *Command) GetScheduleRepeatTypeOk() (*string, bool)

GetScheduleRepeatTypeOk returns a tuple with the ScheduleRepeatType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetScheduleYear

func (o *Command) GetScheduleYear() int32

GetScheduleYear returns the ScheduleYear field value if set, zero value otherwise.

func (*Command) GetScheduleYearOk

func (o *Command) GetScheduleYearOk() (*int32, bool)

GetScheduleYearOk returns a tuple with the ScheduleYear field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetShell

func (o *Command) GetShell() string

GetShell returns the Shell field value if set, zero value otherwise.

func (*Command) GetShellOk

func (o *Command) GetShellOk() (*string, bool)

GetShellOk returns a tuple with the Shell field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetSudo

func (o *Command) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*Command) GetSudoOk

func (o *Command) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetSystems

func (o *Command) GetSystems() []string

GetSystems returns the Systems field value if set, zero value otherwise.

func (*Command) GetSystemsOk

func (o *Command) GetSystemsOk() ([]string, bool)

GetSystemsOk returns a tuple with the Systems field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetTemplate

func (o *Command) GetTemplate() string

GetTemplate returns the Template field value if set, zero value otherwise.

func (*Command) GetTemplateOk

func (o *Command) GetTemplateOk() (*string, bool)

GetTemplateOk returns a tuple with the Template field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetTimeToLiveSeconds

func (o *Command) GetTimeToLiveSeconds() int32

GetTimeToLiveSeconds returns the TimeToLiveSeconds field value if set, zero value otherwise.

func (*Command) GetTimeToLiveSecondsOk

func (o *Command) GetTimeToLiveSecondsOk() (*int32, bool)

GetTimeToLiveSecondsOk returns a tuple with the TimeToLiveSeconds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetTimeout

func (o *Command) GetTimeout() string

GetTimeout returns the Timeout field value if set, zero value otherwise.

func (*Command) GetTimeoutOk

func (o *Command) GetTimeoutOk() (*string, bool)

GetTimeoutOk returns a tuple with the Timeout field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetTrigger

func (o *Command) GetTrigger() string

GetTrigger returns the Trigger field value if set, zero value otherwise.

func (*Command) GetTriggerOk

func (o *Command) GetTriggerOk() (*string, bool)

GetTriggerOk returns a tuple with the Trigger field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) GetUser

func (o *Command) GetUser() string

GetUser returns the User field value if set, zero value otherwise.

func (*Command) GetUserOk

func (o *Command) GetUserOk() (*string, bool)

GetUserOk returns a tuple with the User field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Command) HasCommandRunners

func (o *Command) HasCommandRunners() bool

HasCommandRunners returns a boolean if a field has been set.

func (*Command) HasFiles

func (o *Command) HasFiles() bool

HasFiles returns a boolean if a field has been set.

func (*Command) HasLaunchType

func (o *Command) HasLaunchType() bool

HasLaunchType returns a boolean if a field has been set.

func (*Command) HasListensTo

func (o *Command) HasListensTo() bool

HasListensTo returns a boolean if a field has been set.

func (*Command) HasOrganization

func (o *Command) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Command) HasSchedule

func (o *Command) HasSchedule() bool

HasSchedule returns a boolean if a field has been set.

func (*Command) HasScheduleRepeatType

func (o *Command) HasScheduleRepeatType() bool

HasScheduleRepeatType returns a boolean if a field has been set.

func (*Command) HasScheduleYear

func (o *Command) HasScheduleYear() bool

HasScheduleYear returns a boolean if a field has been set.

func (*Command) HasShell

func (o *Command) HasShell() bool

HasShell returns a boolean if a field has been set.

func (*Command) HasSudo

func (o *Command) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*Command) HasSystems

func (o *Command) HasSystems() bool

HasSystems returns a boolean if a field has been set.

func (*Command) HasTemplate

func (o *Command) HasTemplate() bool

HasTemplate returns a boolean if a field has been set.

func (*Command) HasTimeToLiveSeconds

func (o *Command) HasTimeToLiveSeconds() bool

HasTimeToLiveSeconds returns a boolean if a field has been set.

func (*Command) HasTimeout

func (o *Command) HasTimeout() bool

HasTimeout returns a boolean if a field has been set.

func (*Command) HasTrigger

func (o *Command) HasTrigger() bool

HasTrigger returns a boolean if a field has been set.

func (*Command) HasUser

func (o *Command) HasUser() bool

HasUser returns a boolean if a field has been set.

func (Command) MarshalJSON

func (o Command) MarshalJSON() ([]byte, error)

func (*Command) SetCommand

func (o *Command) SetCommand(v string)

SetCommand sets field value

func (*Command) SetCommandRunners

func (o *Command) SetCommandRunners(v []string)

SetCommandRunners gets a reference to the given []string and assigns it to the CommandRunners field.

func (*Command) SetCommandType

func (o *Command) SetCommandType(v string)

SetCommandType sets field value

func (*Command) SetFiles

func (o *Command) SetFiles(v []string)

SetFiles gets a reference to the given []string and assigns it to the Files field.

func (*Command) SetLaunchType

func (o *Command) SetLaunchType(v string)

SetLaunchType gets a reference to the given string and assigns it to the LaunchType field.

func (*Command) SetListensTo

func (o *Command) SetListensTo(v string)

SetListensTo gets a reference to the given string and assigns it to the ListensTo field.

func (*Command) SetName

func (o *Command) SetName(v string)

SetName sets field value

func (*Command) SetOrganization

func (o *Command) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Command) SetSchedule

func (o *Command) SetSchedule(v string)

SetSchedule gets a reference to the given string and assigns it to the Schedule field.

func (*Command) SetScheduleRepeatType

func (o *Command) SetScheduleRepeatType(v string)

SetScheduleRepeatType gets a reference to the given string and assigns it to the ScheduleRepeatType field.

func (*Command) SetScheduleYear

func (o *Command) SetScheduleYear(v int32)

SetScheduleYear gets a reference to the given int32 and assigns it to the ScheduleYear field.

func (*Command) SetShell

func (o *Command) SetShell(v string)

SetShell gets a reference to the given string and assigns it to the Shell field.

func (*Command) SetSudo

func (o *Command) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*Command) SetSystems

func (o *Command) SetSystems(v []string)

SetSystems gets a reference to the given []string and assigns it to the Systems field.

func (*Command) SetTemplate

func (o *Command) SetTemplate(v string)

SetTemplate gets a reference to the given string and assigns it to the Template field.

func (*Command) SetTimeToLiveSeconds

func (o *Command) SetTimeToLiveSeconds(v int32)

SetTimeToLiveSeconds gets a reference to the given int32 and assigns it to the TimeToLiveSeconds field.

func (*Command) SetTimeout

func (o *Command) SetTimeout(v string)

SetTimeout gets a reference to the given string and assigns it to the Timeout field.

func (*Command) SetTrigger

func (o *Command) SetTrigger(v string)

SetTrigger gets a reference to the given string and assigns it to the Trigger field.

func (*Command) SetUser

func (o *Command) SetUser(v string)

SetUser gets a reference to the given string and assigns it to the User field.

func (Command) ToMap

func (o Command) ToMap() (map[string]interface{}, error)

func (*Command) UnmarshalJSON

func (o *Command) UnmarshalJSON(bytes []byte) (err error)

type CommandResultsApiCommandResultsDeleteRequest

type CommandResultsApiCommandResultsDeleteRequest struct {
	ApiService *CommandResultsApiService
	// contains filtered or unexported fields
}

func (CommandResultsApiCommandResultsDeleteRequest) Execute

func (CommandResultsApiCommandResultsDeleteRequest) XOrgId

type CommandResultsApiCommandResultsGetRequest

type CommandResultsApiCommandResultsGetRequest struct {
	ApiService *CommandResultsApiService
	// contains filtered or unexported fields
}

func (CommandResultsApiCommandResultsGetRequest) Execute

func (CommandResultsApiCommandResultsGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (CommandResultsApiCommandResultsGetRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (CommandResultsApiCommandResultsGetRequest) XOrgId

type CommandResultsApiCommandResultsListRequest

type CommandResultsApiCommandResultsListRequest struct {
	ApiService *CommandResultsApiService
	// contains filtered or unexported fields
}

func (CommandResultsApiCommandResultsListRequest) Execute

func (CommandResultsApiCommandResultsListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (CommandResultsApiCommandResultsListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (CommandResultsApiCommandResultsListRequest) Limit

The number of records to return at once. Limited to 100.

func (CommandResultsApiCommandResultsListRequest) Skip

The offset into the records to return.

func (CommandResultsApiCommandResultsListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (CommandResultsApiCommandResultsListRequest) XOrgId

type CommandResultsApiService

type CommandResultsApiService service

CommandResultsApiService CommandResultsApi service

func (*CommandResultsApiService) CommandResultsDelete

CommandResultsDelete Delete a Command result

This endpoint deletes a specific command result.

#### Sample Request ```

curl -X DELETE https://console.jumpcloud.com/api/commandresults/{CommandID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ````

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return CommandResultsApiCommandResultsDeleteRequest

func (*CommandResultsApiService) CommandResultsDeleteExecute

Execute executes the request

@return Commandresult

func (*CommandResultsApiService) CommandResultsGet

CommandResultsGet List an individual Command result

This endpoint returns a specific command result.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/commandresults/{CommandResultID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return CommandResultsApiCommandResultsGetRequest

func (*CommandResultsApiService) CommandResultsGetExecute

Execute executes the request

@return Commandresult

func (*CommandResultsApiService) CommandResultsList

CommandResultsList List all Command Results

This endpoint returns all command results.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/commandresults \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key:{API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @return CommandResultsApiCommandResultsListRequest

func (*CommandResultsApiService) CommandResultsListExecute

Execute executes the request

@return Commandresultslist

type CommandTriggersApiCommandTriggerWebhookPostRequest

type CommandTriggersApiCommandTriggerWebhookPostRequest struct {
	ApiService *CommandTriggersApiService
	// contains filtered or unexported fields
}

func (CommandTriggersApiCommandTriggerWebhookPostRequest) Body

func (CommandTriggersApiCommandTriggerWebhookPostRequest) Execute

func (CommandTriggersApiCommandTriggerWebhookPostRequest) XOrgId

type CommandTriggersApiService

type CommandTriggersApiService service

CommandTriggersApiService CommandTriggersApi service

func (*CommandTriggersApiService) CommandTriggerWebhookPost

CommandTriggerWebhookPost Launch a command via a Trigger

This endpoint allows you to launch a command based on a defined trigger.

#### Sample Requests

**Launch a Command via a Trigger**

```

curl --silent \
     -X 'POST' \
     -H "x-api-key: {API_KEY}" \
     "https://console.jumpcloud.com/api/command/trigger/{TriggerName}"

``` **Launch a Command via a Trigger passing a JSON object to the command** ```

curl --silent \
     -X 'POST' \
     -H "x-api-key: {API_KEY}" \
     -H 'Accept: application/json' \
     -H 'Content-Type: application/json' \
     -d '{ "srcip":"192.168.2.32", "attack":"Cross Site Scripting Attempt" }' \
     "https://console.jumpcloud.com/api/command/trigger/{TriggerName}"

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param triggername
@return CommandTriggersApiCommandTriggerWebhookPostRequest

func (*CommandTriggersApiService) CommandTriggerWebhookPostExecute

Execute executes the request

@return Triggerreturn

type Commandfilereturn

type Commandfilereturn struct {
	Results []CommandfilereturnResultsInner `json:"results,omitempty"`
	// The total number of commands files
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Commandfilereturn struct for Commandfilereturn

func NewCommandfilereturn

func NewCommandfilereturn() *Commandfilereturn

NewCommandfilereturn instantiates a new Commandfilereturn object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandfilereturnWithDefaults

func NewCommandfilereturnWithDefaults() *Commandfilereturn

NewCommandfilereturnWithDefaults instantiates a new Commandfilereturn object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Commandfilereturn) GetResults

GetResults returns the Results field value if set, zero value otherwise.

func (*Commandfilereturn) GetResultsOk

func (o *Commandfilereturn) GetResultsOk() ([]CommandfilereturnResultsInner, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandfilereturn) GetTotalCount

func (o *Commandfilereturn) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Commandfilereturn) GetTotalCountOk

func (o *Commandfilereturn) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandfilereturn) HasResults

func (o *Commandfilereturn) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Commandfilereturn) HasTotalCount

func (o *Commandfilereturn) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Commandfilereturn) MarshalJSON

func (o Commandfilereturn) MarshalJSON() ([]byte, error)

func (*Commandfilereturn) SetResults

SetResults gets a reference to the given []CommandfilereturnResultsInner and assigns it to the Results field.

func (*Commandfilereturn) SetTotalCount

func (o *Commandfilereturn) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Commandfilereturn) ToMap

func (o Commandfilereturn) ToMap() (map[string]interface{}, error)

func (*Commandfilereturn) UnmarshalJSON

func (o *Commandfilereturn) UnmarshalJSON(bytes []byte) (err error)

type CommandfilereturnResultsInner

type CommandfilereturnResultsInner struct {
	// The ID of the file.
	Id *string `json:"_id,omitempty"`
	// The location where the file will be stored.
	Destination *string `json:"destination,omitempty"`
	// The file name.
	Name                 *string `json:"name,omitempty"`
	AdditionalProperties map[string]interface{}
}

CommandfilereturnResultsInner struct for CommandfilereturnResultsInner

func NewCommandfilereturnResultsInner

func NewCommandfilereturnResultsInner() *CommandfilereturnResultsInner

NewCommandfilereturnResultsInner instantiates a new CommandfilereturnResultsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandfilereturnResultsInnerWithDefaults

func NewCommandfilereturnResultsInnerWithDefaults() *CommandfilereturnResultsInner

NewCommandfilereturnResultsInnerWithDefaults instantiates a new CommandfilereturnResultsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CommandfilereturnResultsInner) GetDestination

func (o *CommandfilereturnResultsInner) GetDestination() string

GetDestination returns the Destination field value if set, zero value otherwise.

func (*CommandfilereturnResultsInner) GetDestinationOk

func (o *CommandfilereturnResultsInner) GetDestinationOk() (*string, bool)

GetDestinationOk returns a tuple with the Destination field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandfilereturnResultsInner) GetId

GetId returns the Id field value if set, zero value otherwise.

func (*CommandfilereturnResultsInner) GetIdOk

func (o *CommandfilereturnResultsInner) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandfilereturnResultsInner) GetName

GetName returns the Name field value if set, zero value otherwise.

func (*CommandfilereturnResultsInner) GetNameOk

func (o *CommandfilereturnResultsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandfilereturnResultsInner) HasDestination

func (o *CommandfilereturnResultsInner) HasDestination() bool

HasDestination returns a boolean if a field has been set.

func (*CommandfilereturnResultsInner) HasId

HasId returns a boolean if a field has been set.

func (*CommandfilereturnResultsInner) HasName

func (o *CommandfilereturnResultsInner) HasName() bool

HasName returns a boolean if a field has been set.

func (CommandfilereturnResultsInner) MarshalJSON

func (o CommandfilereturnResultsInner) MarshalJSON() ([]byte, error)

func (*CommandfilereturnResultsInner) SetDestination

func (o *CommandfilereturnResultsInner) SetDestination(v string)

SetDestination gets a reference to the given string and assigns it to the Destination field.

func (*CommandfilereturnResultsInner) SetId

SetId gets a reference to the given string and assigns it to the Id field.

func (*CommandfilereturnResultsInner) SetName

func (o *CommandfilereturnResultsInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (CommandfilereturnResultsInner) ToMap

func (o CommandfilereturnResultsInner) ToMap() (map[string]interface{}, error)

func (*CommandfilereturnResultsInner) UnmarshalJSON

func (o *CommandfilereturnResultsInner) UnmarshalJSON(bytes []byte) (err error)

type Commandresult

type Commandresult struct {
	// The ID of the command.
	Id *string `json:"_id,omitempty"`
	// The command that was executed on the system.
	Command *string `json:"command,omitempty"`
	// An array of file ids that were included in the command
	Files []string `json:"files,omitempty"`
	// The name of the command.
	Name *string `json:"name,omitempty"`
	// The ID of the organization.
	Organization *string `json:"organization,omitempty"`
	// The time that the command was sent.
	RequestTime *time.Time             `json:"requestTime,omitempty"`
	Response    *CommandresultResponse `json:"response,omitempty"`
	// The time that the command was completed.
	ResponseTime *time.Time `json:"responseTime,omitempty"`
	// If the user had sudo rights
	Sudo *bool `json:"sudo,omitempty"`
	// The name of the system the command was executed on.
	System *string `json:"system,omitempty"`
	// The id of the system the command was executed on.
	SystemId *string `json:"systemId,omitempty"`
	// The user the command ran as.
	User                 *string `json:"user,omitempty"`
	WorkflowId           *string `json:"workflowId,omitempty"`
	WorkflowInstanceId   *string `json:"workflowInstanceId,omitempty"`
	AdditionalProperties map[string]interface{}
}

Commandresult struct for Commandresult

func NewCommandresult

func NewCommandresult() *Commandresult

NewCommandresult instantiates a new Commandresult object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandresultWithDefaults

func NewCommandresultWithDefaults() *Commandresult

NewCommandresultWithDefaults instantiates a new Commandresult object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Commandresult) GetCommand

func (o *Commandresult) GetCommand() string

GetCommand returns the Command field value if set, zero value otherwise.

func (*Commandresult) GetCommandOk

func (o *Commandresult) GetCommandOk() (*string, bool)

GetCommandOk returns a tuple with the Command field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetFiles

func (o *Commandresult) GetFiles() []string

GetFiles returns the Files field value if set, zero value otherwise.

func (*Commandresult) GetFilesOk

func (o *Commandresult) GetFilesOk() ([]string, bool)

GetFilesOk returns a tuple with the Files field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetId

func (o *Commandresult) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Commandresult) GetIdOk

func (o *Commandresult) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetName

func (o *Commandresult) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Commandresult) GetNameOk

func (o *Commandresult) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetOrganization

func (o *Commandresult) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Commandresult) GetOrganizationOk

func (o *Commandresult) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetRequestTime

func (o *Commandresult) GetRequestTime() time.Time

GetRequestTime returns the RequestTime field value if set, zero value otherwise.

func (*Commandresult) GetRequestTimeOk

func (o *Commandresult) GetRequestTimeOk() (*time.Time, bool)

GetRequestTimeOk returns a tuple with the RequestTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetResponse

func (o *Commandresult) GetResponse() CommandresultResponse

GetResponse returns the Response field value if set, zero value otherwise.

func (*Commandresult) GetResponseOk

func (o *Commandresult) GetResponseOk() (*CommandresultResponse, bool)

GetResponseOk returns a tuple with the Response field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetResponseTime

func (o *Commandresult) GetResponseTime() time.Time

GetResponseTime returns the ResponseTime field value if set, zero value otherwise.

func (*Commandresult) GetResponseTimeOk

func (o *Commandresult) GetResponseTimeOk() (*time.Time, bool)

GetResponseTimeOk returns a tuple with the ResponseTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetSudo

func (o *Commandresult) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*Commandresult) GetSudoOk

func (o *Commandresult) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetSystem

func (o *Commandresult) GetSystem() string

GetSystem returns the System field value if set, zero value otherwise.

func (*Commandresult) GetSystemId

func (o *Commandresult) GetSystemId() string

GetSystemId returns the SystemId field value if set, zero value otherwise.

func (*Commandresult) GetSystemIdOk

func (o *Commandresult) GetSystemIdOk() (*string, bool)

GetSystemIdOk returns a tuple with the SystemId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetSystemOk

func (o *Commandresult) GetSystemOk() (*string, bool)

GetSystemOk returns a tuple with the System field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetUser

func (o *Commandresult) GetUser() string

GetUser returns the User field value if set, zero value otherwise.

func (*Commandresult) GetUserOk

func (o *Commandresult) GetUserOk() (*string, bool)

GetUserOk returns a tuple with the User field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetWorkflowId

func (o *Commandresult) GetWorkflowId() string

GetWorkflowId returns the WorkflowId field value if set, zero value otherwise.

func (*Commandresult) GetWorkflowIdOk

func (o *Commandresult) GetWorkflowIdOk() (*string, bool)

GetWorkflowIdOk returns a tuple with the WorkflowId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) GetWorkflowInstanceId

func (o *Commandresult) GetWorkflowInstanceId() string

GetWorkflowInstanceId returns the WorkflowInstanceId field value if set, zero value otherwise.

func (*Commandresult) GetWorkflowInstanceIdOk

func (o *Commandresult) GetWorkflowInstanceIdOk() (*string, bool)

GetWorkflowInstanceIdOk returns a tuple with the WorkflowInstanceId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresult) HasCommand

func (o *Commandresult) HasCommand() bool

HasCommand returns a boolean if a field has been set.

func (*Commandresult) HasFiles

func (o *Commandresult) HasFiles() bool

HasFiles returns a boolean if a field has been set.

func (*Commandresult) HasId

func (o *Commandresult) HasId() bool

HasId returns a boolean if a field has been set.

func (*Commandresult) HasName

func (o *Commandresult) HasName() bool

HasName returns a boolean if a field has been set.

func (*Commandresult) HasOrganization

func (o *Commandresult) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Commandresult) HasRequestTime

func (o *Commandresult) HasRequestTime() bool

HasRequestTime returns a boolean if a field has been set.

func (*Commandresult) HasResponse

func (o *Commandresult) HasResponse() bool

HasResponse returns a boolean if a field has been set.

func (*Commandresult) HasResponseTime

func (o *Commandresult) HasResponseTime() bool

HasResponseTime returns a boolean if a field has been set.

func (*Commandresult) HasSudo

func (o *Commandresult) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*Commandresult) HasSystem

func (o *Commandresult) HasSystem() bool

HasSystem returns a boolean if a field has been set.

func (*Commandresult) HasSystemId

func (o *Commandresult) HasSystemId() bool

HasSystemId returns a boolean if a field has been set.

func (*Commandresult) HasUser

func (o *Commandresult) HasUser() bool

HasUser returns a boolean if a field has been set.

func (*Commandresult) HasWorkflowId

func (o *Commandresult) HasWorkflowId() bool

HasWorkflowId returns a boolean if a field has been set.

func (*Commandresult) HasWorkflowInstanceId

func (o *Commandresult) HasWorkflowInstanceId() bool

HasWorkflowInstanceId returns a boolean if a field has been set.

func (Commandresult) MarshalJSON

func (o Commandresult) MarshalJSON() ([]byte, error)

func (*Commandresult) SetCommand

func (o *Commandresult) SetCommand(v string)

SetCommand gets a reference to the given string and assigns it to the Command field.

func (*Commandresult) SetFiles

func (o *Commandresult) SetFiles(v []string)

SetFiles gets a reference to the given []string and assigns it to the Files field.

func (*Commandresult) SetId

func (o *Commandresult) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Commandresult) SetName

func (o *Commandresult) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Commandresult) SetOrganization

func (o *Commandresult) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Commandresult) SetRequestTime

func (o *Commandresult) SetRequestTime(v time.Time)

SetRequestTime gets a reference to the given time.Time and assigns it to the RequestTime field.

func (*Commandresult) SetResponse

func (o *Commandresult) SetResponse(v CommandresultResponse)

SetResponse gets a reference to the given CommandresultResponse and assigns it to the Response field.

func (*Commandresult) SetResponseTime

func (o *Commandresult) SetResponseTime(v time.Time)

SetResponseTime gets a reference to the given time.Time and assigns it to the ResponseTime field.

func (*Commandresult) SetSudo

func (o *Commandresult) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*Commandresult) SetSystem

func (o *Commandresult) SetSystem(v string)

SetSystem gets a reference to the given string and assigns it to the System field.

func (*Commandresult) SetSystemId

func (o *Commandresult) SetSystemId(v string)

SetSystemId gets a reference to the given string and assigns it to the SystemId field.

func (*Commandresult) SetUser

func (o *Commandresult) SetUser(v string)

SetUser gets a reference to the given string and assigns it to the User field.

func (*Commandresult) SetWorkflowId

func (o *Commandresult) SetWorkflowId(v string)

SetWorkflowId gets a reference to the given string and assigns it to the WorkflowId field.

func (*Commandresult) SetWorkflowInstanceId

func (o *Commandresult) SetWorkflowInstanceId(v string)

SetWorkflowInstanceId gets a reference to the given string and assigns it to the WorkflowInstanceId field.

func (Commandresult) ToMap

func (o Commandresult) ToMap() (map[string]interface{}, error)

func (*Commandresult) UnmarshalJSON

func (o *Commandresult) UnmarshalJSON(bytes []byte) (err error)

type CommandresultResponse

type CommandresultResponse struct {
	Data *CommandresultResponseData `json:"data,omitempty"`
	// The stderr output from the command that ran.
	Error *string `json:"error,omitempty"`
	// ID of the response.
	Id                   *string `json:"id,omitempty"`
	AdditionalProperties map[string]interface{}
}

CommandresultResponse struct for CommandresultResponse

func NewCommandresultResponse

func NewCommandresultResponse() *CommandresultResponse

NewCommandresultResponse instantiates a new CommandresultResponse object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandresultResponseWithDefaults

func NewCommandresultResponseWithDefaults() *CommandresultResponse

NewCommandresultResponseWithDefaults instantiates a new CommandresultResponse object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CommandresultResponse) GetData

GetData returns the Data field value if set, zero value otherwise.

func (*CommandresultResponse) GetDataOk

GetDataOk returns a tuple with the Data field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultResponse) GetError

func (o *CommandresultResponse) GetError() string

GetError returns the Error field value if set, zero value otherwise.

func (*CommandresultResponse) GetErrorOk

func (o *CommandresultResponse) GetErrorOk() (*string, bool)

GetErrorOk returns a tuple with the Error field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultResponse) GetId

func (o *CommandresultResponse) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*CommandresultResponse) GetIdOk

func (o *CommandresultResponse) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultResponse) HasData

func (o *CommandresultResponse) HasData() bool

HasData returns a boolean if a field has been set.

func (*CommandresultResponse) HasError

func (o *CommandresultResponse) HasError() bool

HasError returns a boolean if a field has been set.

func (*CommandresultResponse) HasId

func (o *CommandresultResponse) HasId() bool

HasId returns a boolean if a field has been set.

func (CommandresultResponse) MarshalJSON

func (o CommandresultResponse) MarshalJSON() ([]byte, error)

func (*CommandresultResponse) SetData

SetData gets a reference to the given CommandresultResponseData and assigns it to the Data field.

func (*CommandresultResponse) SetError

func (o *CommandresultResponse) SetError(v string)

SetError gets a reference to the given string and assigns it to the Error field.

func (*CommandresultResponse) SetId

func (o *CommandresultResponse) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (CommandresultResponse) ToMap

func (o CommandresultResponse) ToMap() (map[string]interface{}, error)

func (*CommandresultResponse) UnmarshalJSON

func (o *CommandresultResponse) UnmarshalJSON(bytes []byte) (err error)

type CommandresultResponseData

type CommandresultResponseData struct {
	// The stderr output from the command that ran.
	ExitCode *int32 `json:"exitCode,omitempty"`
	// The output of the command that was executed.
	Output               *string `json:"output,omitempty"`
	AdditionalProperties map[string]interface{}
}

CommandresultResponseData struct for CommandresultResponseData

func NewCommandresultResponseData

func NewCommandresultResponseData() *CommandresultResponseData

NewCommandresultResponseData instantiates a new CommandresultResponseData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandresultResponseDataWithDefaults

func NewCommandresultResponseDataWithDefaults() *CommandresultResponseData

NewCommandresultResponseDataWithDefaults instantiates a new CommandresultResponseData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CommandresultResponseData) GetExitCode

func (o *CommandresultResponseData) GetExitCode() int32

GetExitCode returns the ExitCode field value if set, zero value otherwise.

func (*CommandresultResponseData) GetExitCodeOk

func (o *CommandresultResponseData) GetExitCodeOk() (*int32, bool)

GetExitCodeOk returns a tuple with the ExitCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultResponseData) GetOutput

func (o *CommandresultResponseData) GetOutput() string

GetOutput returns the Output field value if set, zero value otherwise.

func (*CommandresultResponseData) GetOutputOk

func (o *CommandresultResponseData) GetOutputOk() (*string, bool)

GetOutputOk returns a tuple with the Output field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultResponseData) HasExitCode

func (o *CommandresultResponseData) HasExitCode() bool

HasExitCode returns a boolean if a field has been set.

func (*CommandresultResponseData) HasOutput

func (o *CommandresultResponseData) HasOutput() bool

HasOutput returns a boolean if a field has been set.

func (CommandresultResponseData) MarshalJSON

func (o CommandresultResponseData) MarshalJSON() ([]byte, error)

func (*CommandresultResponseData) SetExitCode

func (o *CommandresultResponseData) SetExitCode(v int32)

SetExitCode gets a reference to the given int32 and assigns it to the ExitCode field.

func (*CommandresultResponseData) SetOutput

func (o *CommandresultResponseData) SetOutput(v string)

SetOutput gets a reference to the given string and assigns it to the Output field.

func (CommandresultResponseData) ToMap

func (o CommandresultResponseData) ToMap() (map[string]interface{}, error)

func (*CommandresultResponseData) UnmarshalJSON

func (o *CommandresultResponseData) UnmarshalJSON(bytes []byte) (err error)

type Commandresultslist

type Commandresultslist struct {
	Results []CommandresultslistResultsInner `json:"results,omitempty"`
	// The total number of command results.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Commandresultslist struct for Commandresultslist

func NewCommandresultslist

func NewCommandresultslist() *Commandresultslist

NewCommandresultslist instantiates a new Commandresultslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandresultslistWithDefaults

func NewCommandresultslistWithDefaults() *Commandresultslist

NewCommandresultslistWithDefaults instantiates a new Commandresultslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Commandresultslist) GetResults

GetResults returns the Results field value if set, zero value otherwise.

func (*Commandresultslist) GetResultsOk

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresultslist) GetTotalCount

func (o *Commandresultslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Commandresultslist) GetTotalCountOk

func (o *Commandresultslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandresultslist) HasResults

func (o *Commandresultslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Commandresultslist) HasTotalCount

func (o *Commandresultslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Commandresultslist) MarshalJSON

func (o Commandresultslist) MarshalJSON() ([]byte, error)

func (*Commandresultslist) SetResults

SetResults gets a reference to the given []CommandresultslistResultsInner and assigns it to the Results field.

func (*Commandresultslist) SetTotalCount

func (o *Commandresultslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Commandresultslist) ToMap

func (o Commandresultslist) ToMap() (map[string]interface{}, error)

func (*Commandresultslist) UnmarshalJSON

func (o *Commandresultslist) UnmarshalJSON(bytes []byte) (err error)

type CommandresultslistResultsInner

type CommandresultslistResultsInner struct {
	// The ID of the command result.
	Id *string `json:"_id,omitempty"`
	// The command that was executed on the system.
	Command *string `json:"command,omitempty"`
	// The stderr output from the command that ran.
	ExitCode *int32 `json:"exitCode,omitempty"`
	// The name of the command.
	Name *string `json:"name,omitempty"`
	// The time (UTC) that the command was sent.
	RequestTime *time.Time `json:"requestTime,omitempty"`
	// The time (UTC) that the command was completed.
	ResponseTime *time.Time `json:"responseTime,omitempty"`
	// If the user had sudo rights.
	Sudo *bool `json:"sudo,omitempty"`
	// The display name of the system the command was executed on.
	System *string `json:"system,omitempty"`
	// The id of the system the command was executed on.
	SystemId *string `json:"systemId,omitempty"`
	// The user the command ran as.
	User *string `json:"user,omitempty"`
	// The id for the command that ran on the system.
	WorkflowId           *string `json:"workflowId,omitempty"`
	AdditionalProperties map[string]interface{}
}

CommandresultslistResultsInner struct for CommandresultslistResultsInner

func NewCommandresultslistResultsInner

func NewCommandresultslistResultsInner() *CommandresultslistResultsInner

NewCommandresultslistResultsInner instantiates a new CommandresultslistResultsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandresultslistResultsInnerWithDefaults

func NewCommandresultslistResultsInnerWithDefaults() *CommandresultslistResultsInner

NewCommandresultslistResultsInnerWithDefaults instantiates a new CommandresultslistResultsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CommandresultslistResultsInner) GetCommand

func (o *CommandresultslistResultsInner) GetCommand() string

GetCommand returns the Command field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetCommandOk

func (o *CommandresultslistResultsInner) GetCommandOk() (*string, bool)

GetCommandOk returns a tuple with the Command field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetExitCode

func (o *CommandresultslistResultsInner) GetExitCode() int32

GetExitCode returns the ExitCode field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetExitCodeOk

func (o *CommandresultslistResultsInner) GetExitCodeOk() (*int32, bool)

GetExitCodeOk returns a tuple with the ExitCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetId

GetId returns the Id field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetIdOk

func (o *CommandresultslistResultsInner) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetName

GetName returns the Name field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetNameOk

func (o *CommandresultslistResultsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetRequestTime

func (o *CommandresultslistResultsInner) GetRequestTime() time.Time

GetRequestTime returns the RequestTime field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetRequestTimeOk

func (o *CommandresultslistResultsInner) GetRequestTimeOk() (*time.Time, bool)

GetRequestTimeOk returns a tuple with the RequestTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetResponseTime

func (o *CommandresultslistResultsInner) GetResponseTime() time.Time

GetResponseTime returns the ResponseTime field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetResponseTimeOk

func (o *CommandresultslistResultsInner) GetResponseTimeOk() (*time.Time, bool)

GetResponseTimeOk returns a tuple with the ResponseTime field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetSudo

func (o *CommandresultslistResultsInner) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetSudoOk

func (o *CommandresultslistResultsInner) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetSystem

func (o *CommandresultslistResultsInner) GetSystem() string

GetSystem returns the System field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetSystemId

func (o *CommandresultslistResultsInner) GetSystemId() string

GetSystemId returns the SystemId field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetSystemIdOk

func (o *CommandresultslistResultsInner) GetSystemIdOk() (*string, bool)

GetSystemIdOk returns a tuple with the SystemId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetSystemOk

func (o *CommandresultslistResultsInner) GetSystemOk() (*string, bool)

GetSystemOk returns a tuple with the System field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetUser

GetUser returns the User field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetUserOk

func (o *CommandresultslistResultsInner) GetUserOk() (*string, bool)

GetUserOk returns a tuple with the User field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) GetWorkflowId

func (o *CommandresultslistResultsInner) GetWorkflowId() string

GetWorkflowId returns the WorkflowId field value if set, zero value otherwise.

func (*CommandresultslistResultsInner) GetWorkflowIdOk

func (o *CommandresultslistResultsInner) GetWorkflowIdOk() (*string, bool)

GetWorkflowIdOk returns a tuple with the WorkflowId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandresultslistResultsInner) HasCommand

func (o *CommandresultslistResultsInner) HasCommand() bool

HasCommand returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasExitCode

func (o *CommandresultslistResultsInner) HasExitCode() bool

HasExitCode returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasId

HasId returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasName

func (o *CommandresultslistResultsInner) HasName() bool

HasName returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasRequestTime

func (o *CommandresultslistResultsInner) HasRequestTime() bool

HasRequestTime returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasResponseTime

func (o *CommandresultslistResultsInner) HasResponseTime() bool

HasResponseTime returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasSudo

func (o *CommandresultslistResultsInner) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasSystem

func (o *CommandresultslistResultsInner) HasSystem() bool

HasSystem returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasSystemId

func (o *CommandresultslistResultsInner) HasSystemId() bool

HasSystemId returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasUser

func (o *CommandresultslistResultsInner) HasUser() bool

HasUser returns a boolean if a field has been set.

func (*CommandresultslistResultsInner) HasWorkflowId

func (o *CommandresultslistResultsInner) HasWorkflowId() bool

HasWorkflowId returns a boolean if a field has been set.

func (CommandresultslistResultsInner) MarshalJSON

func (o CommandresultslistResultsInner) MarshalJSON() ([]byte, error)

func (*CommandresultslistResultsInner) SetCommand

func (o *CommandresultslistResultsInner) SetCommand(v string)

SetCommand gets a reference to the given string and assigns it to the Command field.

func (*CommandresultslistResultsInner) SetExitCode

func (o *CommandresultslistResultsInner) SetExitCode(v int32)

SetExitCode gets a reference to the given int32 and assigns it to the ExitCode field.

func (*CommandresultslistResultsInner) SetId

SetId gets a reference to the given string and assigns it to the Id field.

func (*CommandresultslistResultsInner) SetName

func (o *CommandresultslistResultsInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CommandresultslistResultsInner) SetRequestTime

func (o *CommandresultslistResultsInner) SetRequestTime(v time.Time)

SetRequestTime gets a reference to the given time.Time and assigns it to the RequestTime field.

func (*CommandresultslistResultsInner) SetResponseTime

func (o *CommandresultslistResultsInner) SetResponseTime(v time.Time)

SetResponseTime gets a reference to the given time.Time and assigns it to the ResponseTime field.

func (*CommandresultslistResultsInner) SetSudo

func (o *CommandresultslistResultsInner) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*CommandresultslistResultsInner) SetSystem

func (o *CommandresultslistResultsInner) SetSystem(v string)

SetSystem gets a reference to the given string and assigns it to the System field.

func (*CommandresultslistResultsInner) SetSystemId

func (o *CommandresultslistResultsInner) SetSystemId(v string)

SetSystemId gets a reference to the given string and assigns it to the SystemId field.

func (*CommandresultslistResultsInner) SetUser

func (o *CommandresultslistResultsInner) SetUser(v string)

SetUser gets a reference to the given string and assigns it to the User field.

func (*CommandresultslistResultsInner) SetWorkflowId

func (o *CommandresultslistResultsInner) SetWorkflowId(v string)

SetWorkflowId gets a reference to the given string and assigns it to the WorkflowId field.

func (CommandresultslistResultsInner) ToMap

func (o CommandresultslistResultsInner) ToMap() (map[string]interface{}, error)

func (*CommandresultslistResultsInner) UnmarshalJSON

func (o *CommandresultslistResultsInner) UnmarshalJSON(bytes []byte) (err error)

type CommandsApiCommandFileGetRequest

type CommandsApiCommandFileGetRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandFileGetRequest) Execute

func (CommandsApiCommandFileGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (CommandsApiCommandFileGetRequest) Limit

The number of records to return at once. Limited to 100.

func (CommandsApiCommandFileGetRequest) Skip

The offset into the records to return.

func (CommandsApiCommandFileGetRequest) XOrgId

type CommandsApiCommandsDeleteRequest

type CommandsApiCommandsDeleteRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsDeleteRequest) Execute

func (CommandsApiCommandsDeleteRequest) XOrgId

type CommandsApiCommandsGetRequest

type CommandsApiCommandsGetRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsGetRequest) Execute

func (CommandsApiCommandsGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (CommandsApiCommandsGetRequest) XOrgId

type CommandsApiCommandsGetResultsRequest

type CommandsApiCommandsGetResultsRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsGetResultsRequest) Execute

func (CommandsApiCommandsGetResultsRequest) Limit

The number of records to return at once. Limited to 100.

func (CommandsApiCommandsGetResultsRequest) Skip

The offset into the records to return.

type CommandsApiCommandsListRequest

type CommandsApiCommandsListRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsListRequest) Execute

func (CommandsApiCommandsListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (CommandsApiCommandsListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (CommandsApiCommandsListRequest) Limit

The number of records to return at once. Limited to 100.

func (CommandsApiCommandsListRequest) Skip

The offset into the records to return.

func (CommandsApiCommandsListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (CommandsApiCommandsListRequest) XOrgId

type CommandsApiCommandsPostRequest

type CommandsApiCommandsPostRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsPostRequest) Body

func (CommandsApiCommandsPostRequest) Execute

func (CommandsApiCommandsPostRequest) XOrgId

type CommandsApiCommandsPutRequest

type CommandsApiCommandsPutRequest struct {
	ApiService *CommandsApiService
	// contains filtered or unexported fields
}

func (CommandsApiCommandsPutRequest) Body

func (CommandsApiCommandsPutRequest) Execute

func (CommandsApiCommandsPutRequest) XOrgId

type CommandsApiService

type CommandsApiService service

CommandsApiService CommandsApi service

func (*CommandsApiService) CommandFileGet

CommandFileGet Get a Command File

This endpoint returns the uploaded file(s) associated with a specific command.

#### Sample Request

```

curl -X GET https://console.jumpcloud.com/api/files/command/{commandID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return CommandsApiCommandFileGetRequest

func (*CommandsApiService) CommandFileGetExecute

Execute executes the request

@return Commandfilereturn

func (*CommandsApiService) CommandsDelete

CommandsDelete Delete a Command

This endpoint deletes a specific command based on the Command ID.

#### Sample Request ```

curl -X DELETE https://console.jumpcloud.com/api/commands/{CommandID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return CommandsApiCommandsDeleteRequest

func (*CommandsApiService) CommandsDeleteExecute

Execute executes the request

@return Command

func (*CommandsApiService) CommandsGet

CommandsGet List an individual Command

This endpoint returns a specific command based on the command ID.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/commands/{CommandID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return CommandsApiCommandsGetRequest

func (*CommandsApiService) CommandsGetExecute

Execute executes the request

@return Command

func (*CommandsApiService) CommandsGetResults

CommandsGetResults Get results for a specific command

This endpoint returns results for a specific command.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/commands/{id}/results \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ````

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return CommandsApiCommandsGetResultsRequest

func (*CommandsApiService) CommandsGetResultsExecute

Execute executes the request

@return []Commandresult

func (*CommandsApiService) CommandsList

CommandsList List All Commands

This endpoint returns all commands.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/commands/ \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return CommandsApiCommandsListRequest

func (*CommandsApiService) CommandsListExecute

Execute executes the request

@return Commandslist

func (*CommandsApiService) CommandsPost

CommandsPost Create A Command

This endpoint allows you to create a new command.

NOTE: the system property in the command is not used. Use a POST to /api/v2/commands/{id}/associations to bind a command to a system.

#### Sample Request ```

curl -X POST https://console.jumpcloud.com/api/commands/ \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json'
  -H 'x-api-key: {API_KEY}'
  -d '{"name":"Test API Command", "command":"String", "user":"{UserID}", "schedule":"", "timeout":"100"}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return CommandsApiCommandsPostRequest

func (*CommandsApiService) CommandsPostExecute

Execute executes the request

@return Command

func (*CommandsApiService) CommandsPut

CommandsPut Update a Command

This endpoint Updates a command based on the command ID and returns the modified command record.

#### Sample Request ```

curl -X PUT https://console.jumpcloud.com/api/commands/{CommandID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
	"name":"Test API Command",
	"command":"String",
	"user":"{UserID}",
	"schedule":"",
	"timeout":"100"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return CommandsApiCommandsPutRequest

func (*CommandsApiService) CommandsPutExecute

Execute executes the request

@return Command

type Commandslist

type Commandslist struct {
	Results []CommandslistResultsInner `json:"results,omitempty"`
	// The total number of commands
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Commandslist struct for Commandslist

func NewCommandslist

func NewCommandslist() *Commandslist

NewCommandslist instantiates a new Commandslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandslistWithDefaults

func NewCommandslistWithDefaults() *Commandslist

NewCommandslistWithDefaults instantiates a new Commandslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Commandslist) GetResults

func (o *Commandslist) GetResults() []CommandslistResultsInner

GetResults returns the Results field value if set, zero value otherwise.

func (*Commandslist) GetResultsOk

func (o *Commandslist) GetResultsOk() ([]CommandslistResultsInner, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandslist) GetTotalCount

func (o *Commandslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Commandslist) GetTotalCountOk

func (o *Commandslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Commandslist) HasResults

func (o *Commandslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Commandslist) HasTotalCount

func (o *Commandslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Commandslist) MarshalJSON

func (o Commandslist) MarshalJSON() ([]byte, error)

func (*Commandslist) SetResults

func (o *Commandslist) SetResults(v []CommandslistResultsInner)

SetResults gets a reference to the given []CommandslistResultsInner and assigns it to the Results field.

func (*Commandslist) SetTotalCount

func (o *Commandslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Commandslist) ToMap

func (o Commandslist) ToMap() (map[string]interface{}, error)

func (*Commandslist) UnmarshalJSON

func (o *Commandslist) UnmarshalJSON(bytes []byte) (err error)

type CommandslistResultsInner

type CommandslistResultsInner struct {
	// The ID of the command.
	Id *string `json:"_id,omitempty"`
	// The Command to execute.
	Command *string `json:"command,omitempty"`
	// The Command OS.
	CommandType *string `json:"commandType,omitempty"`
	// How the Command is executed.
	LaunchType *string `json:"launchType,omitempty"`
	ListensTo  *string `json:"listensTo,omitempty"`
	// The name of the Command.
	Name *string `json:"name,omitempty"`
	// The ID of the Organization.
	Organization *string `json:"organization,omitempty"`
	// A crontab that consists of: [ (seconds) (minutes) (hours) (days of month) (months) (weekdays) ] or [ immediate ]. If you send this as an empty string, it will run immediately.
	Schedule *string `json:"schedule,omitempty"`
	// When the command will repeat.
	ScheduleRepeatType *string `json:"scheduleRepeatType,omitempty"`
	// Trigger to execute command.
	Trigger              *string `json:"trigger,omitempty"`
	AdditionalProperties map[string]interface{}
}

CommandslistResultsInner struct for CommandslistResultsInner

func NewCommandslistResultsInner

func NewCommandslistResultsInner() *CommandslistResultsInner

NewCommandslistResultsInner instantiates a new CommandslistResultsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewCommandslistResultsInnerWithDefaults

func NewCommandslistResultsInnerWithDefaults() *CommandslistResultsInner

NewCommandslistResultsInnerWithDefaults instantiates a new CommandslistResultsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*CommandslistResultsInner) GetCommand

func (o *CommandslistResultsInner) GetCommand() string

GetCommand returns the Command field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetCommandOk

func (o *CommandslistResultsInner) GetCommandOk() (*string, bool)

GetCommandOk returns a tuple with the Command field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetCommandType

func (o *CommandslistResultsInner) GetCommandType() string

GetCommandType returns the CommandType field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetCommandTypeOk

func (o *CommandslistResultsInner) GetCommandTypeOk() (*string, bool)

GetCommandTypeOk returns a tuple with the CommandType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetId

func (o *CommandslistResultsInner) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetIdOk

func (o *CommandslistResultsInner) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetLaunchType

func (o *CommandslistResultsInner) GetLaunchType() string

GetLaunchType returns the LaunchType field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetLaunchTypeOk

func (o *CommandslistResultsInner) GetLaunchTypeOk() (*string, bool)

GetLaunchTypeOk returns a tuple with the LaunchType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetListensTo

func (o *CommandslistResultsInner) GetListensTo() string

GetListensTo returns the ListensTo field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetListensToOk

func (o *CommandslistResultsInner) GetListensToOk() (*string, bool)

GetListensToOk returns a tuple with the ListensTo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetName

func (o *CommandslistResultsInner) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetNameOk

func (o *CommandslistResultsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetOrganization

func (o *CommandslistResultsInner) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetOrganizationOk

func (o *CommandslistResultsInner) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetSchedule

func (o *CommandslistResultsInner) GetSchedule() string

GetSchedule returns the Schedule field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetScheduleOk

func (o *CommandslistResultsInner) GetScheduleOk() (*string, bool)

GetScheduleOk returns a tuple with the Schedule field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetScheduleRepeatType

func (o *CommandslistResultsInner) GetScheduleRepeatType() string

GetScheduleRepeatType returns the ScheduleRepeatType field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetScheduleRepeatTypeOk

func (o *CommandslistResultsInner) GetScheduleRepeatTypeOk() (*string, bool)

GetScheduleRepeatTypeOk returns a tuple with the ScheduleRepeatType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) GetTrigger

func (o *CommandslistResultsInner) GetTrigger() string

GetTrigger returns the Trigger field value if set, zero value otherwise.

func (*CommandslistResultsInner) GetTriggerOk

func (o *CommandslistResultsInner) GetTriggerOk() (*string, bool)

GetTriggerOk returns a tuple with the Trigger field value if set, nil otherwise and a boolean to check if the value has been set.

func (*CommandslistResultsInner) HasCommand

func (o *CommandslistResultsInner) HasCommand() bool

HasCommand returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasCommandType

func (o *CommandslistResultsInner) HasCommandType() bool

HasCommandType returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasId

func (o *CommandslistResultsInner) HasId() bool

HasId returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasLaunchType

func (o *CommandslistResultsInner) HasLaunchType() bool

HasLaunchType returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasListensTo

func (o *CommandslistResultsInner) HasListensTo() bool

HasListensTo returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasName

func (o *CommandslistResultsInner) HasName() bool

HasName returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasOrganization

func (o *CommandslistResultsInner) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasSchedule

func (o *CommandslistResultsInner) HasSchedule() bool

HasSchedule returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasScheduleRepeatType

func (o *CommandslistResultsInner) HasScheduleRepeatType() bool

HasScheduleRepeatType returns a boolean if a field has been set.

func (*CommandslistResultsInner) HasTrigger

func (o *CommandslistResultsInner) HasTrigger() bool

HasTrigger returns a boolean if a field has been set.

func (CommandslistResultsInner) MarshalJSON

func (o CommandslistResultsInner) MarshalJSON() ([]byte, error)

func (*CommandslistResultsInner) SetCommand

func (o *CommandslistResultsInner) SetCommand(v string)

SetCommand gets a reference to the given string and assigns it to the Command field.

func (*CommandslistResultsInner) SetCommandType

func (o *CommandslistResultsInner) SetCommandType(v string)

SetCommandType gets a reference to the given string and assigns it to the CommandType field.

func (*CommandslistResultsInner) SetId

func (o *CommandslistResultsInner) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*CommandslistResultsInner) SetLaunchType

func (o *CommandslistResultsInner) SetLaunchType(v string)

SetLaunchType gets a reference to the given string and assigns it to the LaunchType field.

func (*CommandslistResultsInner) SetListensTo

func (o *CommandslistResultsInner) SetListensTo(v string)

SetListensTo gets a reference to the given string and assigns it to the ListensTo field.

func (*CommandslistResultsInner) SetName

func (o *CommandslistResultsInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*CommandslistResultsInner) SetOrganization

func (o *CommandslistResultsInner) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*CommandslistResultsInner) SetSchedule

func (o *CommandslistResultsInner) SetSchedule(v string)

SetSchedule gets a reference to the given string and assigns it to the Schedule field.

func (*CommandslistResultsInner) SetScheduleRepeatType

func (o *CommandslistResultsInner) SetScheduleRepeatType(v string)

SetScheduleRepeatType gets a reference to the given string and assigns it to the ScheduleRepeatType field.

func (*CommandslistResultsInner) SetTrigger

func (o *CommandslistResultsInner) SetTrigger(v string)

SetTrigger gets a reference to the given string and assigns it to the Trigger field.

func (CommandslistResultsInner) ToMap

func (o CommandslistResultsInner) ToMap() (map[string]interface{}, error)

func (*CommandslistResultsInner) UnmarshalJSON

func (o *CommandslistResultsInner) UnmarshalJSON(bytes []byte) (err error)

type Configuration

type Configuration struct {
	Host             string            `json:"host,omitempty"`
	Scheme           string            `json:"scheme,omitempty"`
	DefaultHeader    map[string]string `json:"defaultHeader,omitempty"`
	UserAgent        string            `json:"userAgent,omitempty"`
	Debug            bool              `json:"debug,omitempty"`
	Servers          ServerConfigurations
	OperationServers map[string]ServerConfigurations
	HTTPClient       *http.Client
}

Configuration stores the configuration of the API client

func NewConfiguration

func NewConfiguration() *Configuration

NewConfiguration returns a new Configuration object

func (*Configuration) AddDefaultHeader

func (c *Configuration) AddDefaultHeader(key string, value string)

AddDefaultHeader adds a new HTTP header to the default header in the request

func (*Configuration) ServerURL

func (c *Configuration) ServerURL(index int, variables map[string]string) (string, error)

ServerURL returns URL based on server settings

func (*Configuration) ServerURLWithContext

func (c *Configuration) ServerURLWithContext(ctx context.Context, endpoint string) (string, error)

ServerURLWithContext returns a new server URL given an endpoint

type Error

type Error struct {
	// HTTP status code
	Code *int32 `json:"code,omitempty"`
	// Error message
	Message *string `json:"message,omitempty"`
	// HTTP status description
	Status               *string `json:"status,omitempty"`
	AdditionalProperties map[string]interface{}
}

Error struct for Error

func NewError

func NewError() *Error

NewError instantiates a new Error object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewErrorWithDefaults

func NewErrorWithDefaults() *Error

NewErrorWithDefaults instantiates a new Error object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Error) GetCode

func (o *Error) GetCode() int32

GetCode returns the Code field value if set, zero value otherwise.

func (*Error) GetCodeOk

func (o *Error) GetCodeOk() (*int32, bool)

GetCodeOk returns a tuple with the Code field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Error) GetMessage

func (o *Error) GetMessage() string

GetMessage returns the Message field value if set, zero value otherwise.

func (*Error) GetMessageOk

func (o *Error) GetMessageOk() (*string, bool)

GetMessageOk returns a tuple with the Message field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Error) GetStatus

func (o *Error) GetStatus() string

GetStatus returns the Status field value if set, zero value otherwise.

func (*Error) GetStatusOk

func (o *Error) GetStatusOk() (*string, bool)

GetStatusOk returns a tuple with the Status field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Error) HasCode

func (o *Error) HasCode() bool

HasCode returns a boolean if a field has been set.

func (*Error) HasMessage

func (o *Error) HasMessage() bool

HasMessage returns a boolean if a field has been set.

func (*Error) HasStatus

func (o *Error) HasStatus() bool

HasStatus returns a boolean if a field has been set.

func (Error) MarshalJSON

func (o Error) MarshalJSON() ([]byte, error)

func (*Error) SetCode

func (o *Error) SetCode(v int32)

SetCode gets a reference to the given int32 and assigns it to the Code field.

func (*Error) SetMessage

func (o *Error) SetMessage(v string)

SetMessage gets a reference to the given string and assigns it to the Message field.

func (*Error) SetStatus

func (o *Error) SetStatus(v string)

SetStatus gets a reference to the given string and assigns it to the Status field.

func (Error) ToMap

func (o Error) ToMap() (map[string]interface{}, error)

func (*Error) UnmarshalJSON

func (o *Error) UnmarshalJSON(bytes []byte) (err error)

type ErrorDetails

type ErrorDetails struct {
	// HTTP status code
	Code *int32 `json:"code,omitempty"`
	// Error message
	Message *string `json:"message,omitempty"`
	// HTTP status description
	Status *string `json:"status,omitempty"`
	// Describes a list of objects with more detailed information of the given error. Each detail schema is according to one of the messages defined in Google's API: https://github.com/googleapis/googleapis/blob/master/google/rpc/error_details.proto\"
	Details              []map[string]interface{} `json:"details,omitempty"`
	AdditionalProperties map[string]interface{}
}

ErrorDetails struct for ErrorDetails

func NewErrorDetails

func NewErrorDetails() *ErrorDetails

NewErrorDetails instantiates a new ErrorDetails object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewErrorDetailsWithDefaults

func NewErrorDetailsWithDefaults() *ErrorDetails

NewErrorDetailsWithDefaults instantiates a new ErrorDetails object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ErrorDetails) GetCode

func (o *ErrorDetails) GetCode() int32

GetCode returns the Code field value if set, zero value otherwise.

func (*ErrorDetails) GetCodeOk

func (o *ErrorDetails) GetCodeOk() (*int32, bool)

GetCodeOk returns a tuple with the Code field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ErrorDetails) GetDetails

func (o *ErrorDetails) GetDetails() []map[string]interface{}

GetDetails returns the Details field value if set, zero value otherwise.

func (*ErrorDetails) GetDetailsOk

func (o *ErrorDetails) GetDetailsOk() ([]map[string]interface{}, bool)

GetDetailsOk returns a tuple with the Details field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ErrorDetails) GetMessage

func (o *ErrorDetails) GetMessage() string

GetMessage returns the Message field value if set, zero value otherwise.

func (*ErrorDetails) GetMessageOk

func (o *ErrorDetails) GetMessageOk() (*string, bool)

GetMessageOk returns a tuple with the Message field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ErrorDetails) GetStatus

func (o *ErrorDetails) GetStatus() string

GetStatus returns the Status field value if set, zero value otherwise.

func (*ErrorDetails) GetStatusOk

func (o *ErrorDetails) GetStatusOk() (*string, bool)

GetStatusOk returns a tuple with the Status field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ErrorDetails) HasCode

func (o *ErrorDetails) HasCode() bool

HasCode returns a boolean if a field has been set.

func (*ErrorDetails) HasDetails

func (o *ErrorDetails) HasDetails() bool

HasDetails returns a boolean if a field has been set.

func (*ErrorDetails) HasMessage

func (o *ErrorDetails) HasMessage() bool

HasMessage returns a boolean if a field has been set.

func (*ErrorDetails) HasStatus

func (o *ErrorDetails) HasStatus() bool

HasStatus returns a boolean if a field has been set.

func (ErrorDetails) MarshalJSON

func (o ErrorDetails) MarshalJSON() ([]byte, error)

func (*ErrorDetails) SetCode

func (o *ErrorDetails) SetCode(v int32)

SetCode gets a reference to the given int32 and assigns it to the Code field.

func (*ErrorDetails) SetDetails

func (o *ErrorDetails) SetDetails(v []map[string]interface{})

SetDetails gets a reference to the given []map[string]interface{} and assigns it to the Details field.

func (*ErrorDetails) SetMessage

func (o *ErrorDetails) SetMessage(v string)

SetMessage gets a reference to the given string and assigns it to the Message field.

func (*ErrorDetails) SetStatus

func (o *ErrorDetails) SetStatus(v string)

SetStatus gets a reference to the given string and assigns it to the Status field.

func (ErrorDetails) ToMap

func (o ErrorDetails) ToMap() (map[string]interface{}, error)

func (*ErrorDetails) UnmarshalJSON

func (o *ErrorDetails) UnmarshalJSON(bytes []byte) (err error)

type ErrorDetailsAllOf

type ErrorDetailsAllOf struct {
	// Describes a list of objects with more detailed information of the given error. Each detail schema is according to one of the messages defined in Google's API: https://github.com/googleapis/googleapis/blob/master/google/rpc/error_details.proto\"
	Details              []map[string]interface{} `json:"details,omitempty"`
	AdditionalProperties map[string]interface{}
}

ErrorDetailsAllOf struct for ErrorDetailsAllOf

func NewErrorDetailsAllOf

func NewErrorDetailsAllOf() *ErrorDetailsAllOf

NewErrorDetailsAllOf instantiates a new ErrorDetailsAllOf object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewErrorDetailsAllOfWithDefaults

func NewErrorDetailsAllOfWithDefaults() *ErrorDetailsAllOf

NewErrorDetailsAllOfWithDefaults instantiates a new ErrorDetailsAllOf object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*ErrorDetailsAllOf) GetDetails

func (o *ErrorDetailsAllOf) GetDetails() []map[string]interface{}

GetDetails returns the Details field value if set, zero value otherwise.

func (*ErrorDetailsAllOf) GetDetailsOk

func (o *ErrorDetailsAllOf) GetDetailsOk() ([]map[string]interface{}, bool)

GetDetailsOk returns a tuple with the Details field value if set, nil otherwise and a boolean to check if the value has been set.

func (*ErrorDetailsAllOf) HasDetails

func (o *ErrorDetailsAllOf) HasDetails() bool

HasDetails returns a boolean if a field has been set.

func (ErrorDetailsAllOf) MarshalJSON

func (o ErrorDetailsAllOf) MarshalJSON() ([]byte, error)

func (*ErrorDetailsAllOf) SetDetails

func (o *ErrorDetailsAllOf) SetDetails(v []map[string]interface{})

SetDetails gets a reference to the given []map[string]interface{} and assigns it to the Details field.

func (ErrorDetailsAllOf) ToMap

func (o ErrorDetailsAllOf) ToMap() (map[string]interface{}, error)

func (*ErrorDetailsAllOf) UnmarshalJSON

func (o *ErrorDetailsAllOf) UnmarshalJSON(bytes []byte) (err error)

type Fde

type Fde struct {
	Active               *bool `json:"active,omitempty"`
	KeyPresent           *bool `json:"keyPresent,omitempty"`
	AdditionalProperties map[string]interface{}
}

Fde Indicates if the Full Disk Encryption is active in the system

func NewFde

func NewFde() *Fde

NewFde instantiates a new Fde object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewFdeWithDefaults

func NewFdeWithDefaults() *Fde

NewFdeWithDefaults instantiates a new Fde object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Fde) GetActive

func (o *Fde) GetActive() bool

GetActive returns the Active field value if set, zero value otherwise.

func (*Fde) GetActiveOk

func (o *Fde) GetActiveOk() (*bool, bool)

GetActiveOk returns a tuple with the Active field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Fde) GetKeyPresent

func (o *Fde) GetKeyPresent() bool

GetKeyPresent returns the KeyPresent field value if set, zero value otherwise.

func (*Fde) GetKeyPresentOk

func (o *Fde) GetKeyPresentOk() (*bool, bool)

GetKeyPresentOk returns a tuple with the KeyPresent field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Fde) HasActive

func (o *Fde) HasActive() bool

HasActive returns a boolean if a field has been set.

func (*Fde) HasKeyPresent

func (o *Fde) HasKeyPresent() bool

HasKeyPresent returns a boolean if a field has been set.

func (Fde) MarshalJSON

func (o Fde) MarshalJSON() ([]byte, error)

func (*Fde) SetActive

func (o *Fde) SetActive(v bool)

SetActive gets a reference to the given bool and assigns it to the Active field.

func (*Fde) SetKeyPresent

func (o *Fde) SetKeyPresent(v bool)

SetKeyPresent gets a reference to the given bool and assigns it to the KeyPresent field.

func (Fde) ToMap

func (o Fde) ToMap() (map[string]interface{}, error)

func (*Fde) UnmarshalJSON

func (o *Fde) UnmarshalJSON(bytes []byte) (err error)

type GenericOpenAPIError

type GenericOpenAPIError struct {
	// contains filtered or unexported fields
}

GenericOpenAPIError Provides access to the body, error and model on returned errors.

func (GenericOpenAPIError) Body

func (e GenericOpenAPIError) Body() []byte

Body returns the raw bytes of the response

func (GenericOpenAPIError) Error

func (e GenericOpenAPIError) Error() string

Error returns non-empty string if there was an error.

func (GenericOpenAPIError) Model

func (e GenericOpenAPIError) Model() interface{}

Model returns the unpacked model of the error

type ManagedServiceProviderApiAdminTotpresetBeginRequest

type ManagedServiceProviderApiAdminTotpresetBeginRequest struct {
	ApiService *ManagedServiceProviderApiService
	// contains filtered or unexported fields
}

func (ManagedServiceProviderApiAdminTotpresetBeginRequest) Execute

type ManagedServiceProviderApiOrganizationListRequest

type ManagedServiceProviderApiOrganizationListRequest struct {
	ApiService *ManagedServiceProviderApiService
	// contains filtered or unexported fields
}

func (ManagedServiceProviderApiOrganizationListRequest) Execute

func (ManagedServiceProviderApiOrganizationListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (ManagedServiceProviderApiOrganizationListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (ManagedServiceProviderApiOrganizationListRequest) Limit

The number of records to return at once. Limited to 100.

func (ManagedServiceProviderApiOrganizationListRequest) Search

A nested object containing a `searchTerm` string or array of strings and a list of `fields` to search on.

func (ManagedServiceProviderApiOrganizationListRequest) Skip

The offset into the records to return.

func (ManagedServiceProviderApiOrganizationListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (ManagedServiceProviderApiOrganizationListRequest) SortIgnoreCase

Use space separated sort parameters to sort the collection, ignoring case. Default sort is ascending. Prefix with `-` to sort descending.

type ManagedServiceProviderApiService

type ManagedServiceProviderApiService service

ManagedServiceProviderApiService ManagedServiceProviderApi service

func (*ManagedServiceProviderApiService) AdminTotpresetBegin

AdminTotpresetBegin Administrator TOTP Reset Initiation

This endpoint initiates a TOTP reset for an admin. This request does not accept a body.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ManagedServiceProviderApiAdminTotpresetBeginRequest

func (*ManagedServiceProviderApiService) AdminTotpresetBeginExecute

Execute executes the request

func (*ManagedServiceProviderApiService) OrganizationList

OrganizationList Get Organization Details

This endpoint returns Organization Details.

#### Sample Request

```

curl -X GET \
  https://console.jumpcloud.com/api/organizations \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @return ManagedServiceProviderApiOrganizationListRequest

func (*ManagedServiceProviderApiService) OrganizationListExecute

Execute executes the request

@return Organizationslist

func (*ManagedServiceProviderApiService) UsersPut

UsersPut Update a user

This endpoint allows you to update a user.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ManagedServiceProviderApiUsersPutRequest

func (*ManagedServiceProviderApiService) UsersPutExecute

Execute executes the request

@return Userreturn

func (*ManagedServiceProviderApiService) UsersReactivateGet

UsersReactivateGet Administrator Password Reset Initiation

This endpoint triggers the sending of a reactivation e-mail to an administrator.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return ManagedServiceProviderApiUsersReactivateGetRequest

func (*ManagedServiceProviderApiService) UsersReactivateGetExecute

Execute executes the request

type ManagedServiceProviderApiUsersPutRequest

type ManagedServiceProviderApiUsersPutRequest struct {
	ApiService *ManagedServiceProviderApiService
	// contains filtered or unexported fields
}

func (ManagedServiceProviderApiUsersPutRequest) Body

func (ManagedServiceProviderApiUsersPutRequest) Execute

func (ManagedServiceProviderApiUsersPutRequest) XOrgId

type ManagedServiceProviderApiUsersReactivateGetRequest

type ManagedServiceProviderApiUsersReactivateGetRequest struct {
	ApiService *ManagedServiceProviderApiService
	// contains filtered or unexported fields
}

func (ManagedServiceProviderApiUsersReactivateGetRequest) Execute

type MappedNullable

type MappedNullable interface {
	ToMap() (map[string]interface{}, error)
}

type Mfa

type Mfa struct {
	Configured           *bool      `json:"configured,omitempty"`
	Exclusion            *bool      `json:"exclusion,omitempty"`
	ExclusionDays        *int32     `json:"exclusionDays,omitempty"`
	ExclusionUntil       *time.Time `json:"exclusionUntil,omitempty"`
	AdditionalProperties map[string]interface{}
}

Mfa struct for Mfa

func NewMfa

func NewMfa() *Mfa

NewMfa instantiates a new Mfa object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMfaWithDefaults

func NewMfaWithDefaults() *Mfa

NewMfaWithDefaults instantiates a new Mfa object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Mfa) GetConfigured

func (o *Mfa) GetConfigured() bool

GetConfigured returns the Configured field value if set, zero value otherwise.

func (*Mfa) GetConfiguredOk

func (o *Mfa) GetConfiguredOk() (*bool, bool)

GetConfiguredOk returns a tuple with the Configured field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Mfa) GetExclusion

func (o *Mfa) GetExclusion() bool

GetExclusion returns the Exclusion field value if set, zero value otherwise.

func (*Mfa) GetExclusionDays

func (o *Mfa) GetExclusionDays() int32

GetExclusionDays returns the ExclusionDays field value if set, zero value otherwise.

func (*Mfa) GetExclusionDaysOk

func (o *Mfa) GetExclusionDaysOk() (*int32, bool)

GetExclusionDaysOk returns a tuple with the ExclusionDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Mfa) GetExclusionOk

func (o *Mfa) GetExclusionOk() (*bool, bool)

GetExclusionOk returns a tuple with the Exclusion field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Mfa) GetExclusionUntil

func (o *Mfa) GetExclusionUntil() time.Time

GetExclusionUntil returns the ExclusionUntil field value if set, zero value otherwise.

func (*Mfa) GetExclusionUntilOk

func (o *Mfa) GetExclusionUntilOk() (*time.Time, bool)

GetExclusionUntilOk returns a tuple with the ExclusionUntil field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Mfa) HasConfigured

func (o *Mfa) HasConfigured() bool

HasConfigured returns a boolean if a field has been set.

func (*Mfa) HasExclusion

func (o *Mfa) HasExclusion() bool

HasExclusion returns a boolean if a field has been set.

func (*Mfa) HasExclusionDays

func (o *Mfa) HasExclusionDays() bool

HasExclusionDays returns a boolean if a field has been set.

func (*Mfa) HasExclusionUntil

func (o *Mfa) HasExclusionUntil() bool

HasExclusionUntil returns a boolean if a field has been set.

func (Mfa) MarshalJSON

func (o Mfa) MarshalJSON() ([]byte, error)

func (*Mfa) SetConfigured

func (o *Mfa) SetConfigured(v bool)

SetConfigured gets a reference to the given bool and assigns it to the Configured field.

func (*Mfa) SetExclusion

func (o *Mfa) SetExclusion(v bool)

SetExclusion gets a reference to the given bool and assigns it to the Exclusion field.

func (*Mfa) SetExclusionDays

func (o *Mfa) SetExclusionDays(v int32)

SetExclusionDays gets a reference to the given int32 and assigns it to the ExclusionDays field.

func (*Mfa) SetExclusionUntil

func (o *Mfa) SetExclusionUntil(v time.Time)

SetExclusionUntil gets a reference to the given time.Time and assigns it to the ExclusionUntil field.

func (Mfa) ToMap

func (o Mfa) ToMap() (map[string]interface{}, error)

func (*Mfa) UnmarshalJSON

func (o *Mfa) UnmarshalJSON(bytes []byte) (err error)

type MfaEnrollment

type MfaEnrollment struct {
	OverallStatus        *MfaEnrollmentStatus `json:"overallStatus,omitempty"`
	PushStatus           *MfaEnrollmentStatus `json:"pushStatus,omitempty"`
	TotpStatus           *MfaEnrollmentStatus `json:"totpStatus,omitempty"`
	WebAuthnStatus       *MfaEnrollmentStatus `json:"webAuthnStatus,omitempty"`
	AdditionalProperties map[string]interface{}
}

MfaEnrollment struct for MfaEnrollment

func NewMfaEnrollment

func NewMfaEnrollment() *MfaEnrollment

NewMfaEnrollment instantiates a new MfaEnrollment object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewMfaEnrollmentWithDefaults

func NewMfaEnrollmentWithDefaults() *MfaEnrollment

NewMfaEnrollmentWithDefaults instantiates a new MfaEnrollment object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*MfaEnrollment) GetOverallStatus

func (o *MfaEnrollment) GetOverallStatus() MfaEnrollmentStatus

GetOverallStatus returns the OverallStatus field value if set, zero value otherwise.

func (*MfaEnrollment) GetOverallStatusOk

func (o *MfaEnrollment) GetOverallStatusOk() (*MfaEnrollmentStatus, bool)

GetOverallStatusOk returns a tuple with the OverallStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MfaEnrollment) GetPushStatus

func (o *MfaEnrollment) GetPushStatus() MfaEnrollmentStatus

GetPushStatus returns the PushStatus field value if set, zero value otherwise.

func (*MfaEnrollment) GetPushStatusOk

func (o *MfaEnrollment) GetPushStatusOk() (*MfaEnrollmentStatus, bool)

GetPushStatusOk returns a tuple with the PushStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MfaEnrollment) GetTotpStatus

func (o *MfaEnrollment) GetTotpStatus() MfaEnrollmentStatus

GetTotpStatus returns the TotpStatus field value if set, zero value otherwise.

func (*MfaEnrollment) GetTotpStatusOk

func (o *MfaEnrollment) GetTotpStatusOk() (*MfaEnrollmentStatus, bool)

GetTotpStatusOk returns a tuple with the TotpStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MfaEnrollment) GetWebAuthnStatus

func (o *MfaEnrollment) GetWebAuthnStatus() MfaEnrollmentStatus

GetWebAuthnStatus returns the WebAuthnStatus field value if set, zero value otherwise.

func (*MfaEnrollment) GetWebAuthnStatusOk

func (o *MfaEnrollment) GetWebAuthnStatusOk() (*MfaEnrollmentStatus, bool)

GetWebAuthnStatusOk returns a tuple with the WebAuthnStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*MfaEnrollment) HasOverallStatus

func (o *MfaEnrollment) HasOverallStatus() bool

HasOverallStatus returns a boolean if a field has been set.

func (*MfaEnrollment) HasPushStatus

func (o *MfaEnrollment) HasPushStatus() bool

HasPushStatus returns a boolean if a field has been set.

func (*MfaEnrollment) HasTotpStatus

func (o *MfaEnrollment) HasTotpStatus() bool

HasTotpStatus returns a boolean if a field has been set.

func (*MfaEnrollment) HasWebAuthnStatus

func (o *MfaEnrollment) HasWebAuthnStatus() bool

HasWebAuthnStatus returns a boolean if a field has been set.

func (MfaEnrollment) MarshalJSON

func (o MfaEnrollment) MarshalJSON() ([]byte, error)

func (*MfaEnrollment) SetOverallStatus

func (o *MfaEnrollment) SetOverallStatus(v MfaEnrollmentStatus)

SetOverallStatus gets a reference to the given MfaEnrollmentStatus and assigns it to the OverallStatus field.

func (*MfaEnrollment) SetPushStatus

func (o *MfaEnrollment) SetPushStatus(v MfaEnrollmentStatus)

SetPushStatus gets a reference to the given MfaEnrollmentStatus and assigns it to the PushStatus field.

func (*MfaEnrollment) SetTotpStatus

func (o *MfaEnrollment) SetTotpStatus(v MfaEnrollmentStatus)

SetTotpStatus gets a reference to the given MfaEnrollmentStatus and assigns it to the TotpStatus field.

func (*MfaEnrollment) SetWebAuthnStatus

func (o *MfaEnrollment) SetWebAuthnStatus(v MfaEnrollmentStatus)

SetWebAuthnStatus gets a reference to the given MfaEnrollmentStatus and assigns it to the WebAuthnStatus field.

func (MfaEnrollment) ToMap

func (o MfaEnrollment) ToMap() (map[string]interface{}, error)

func (*MfaEnrollment) UnmarshalJSON

func (o *MfaEnrollment) UnmarshalJSON(bytes []byte) (err error)

type MfaEnrollmentStatus

type MfaEnrollmentStatus string

MfaEnrollmentStatus the model 'MfaEnrollmentStatus'

const (
	MFAENROLLMENTSTATUS_NOT_ENROLLED       MfaEnrollmentStatus = "NOT_ENROLLED"
	MFAENROLLMENTSTATUS_DISABLED           MfaEnrollmentStatus = "DISABLED"
	MFAENROLLMENTSTATUS_PENDING_ACTIVATION MfaEnrollmentStatus = "PENDING_ACTIVATION"
	MFAENROLLMENTSTATUS_ENROLLMENT_EXPIRED MfaEnrollmentStatus = "ENROLLMENT_EXPIRED"
	MFAENROLLMENTSTATUS_IN_ENROLLMENT      MfaEnrollmentStatus = "IN_ENROLLMENT"
	MFAENROLLMENTSTATUS_PRE_ENROLLMENT     MfaEnrollmentStatus = "PRE_ENROLLMENT"
	MFAENROLLMENTSTATUS_ENROLLED           MfaEnrollmentStatus = "ENROLLED"
)

List of mfaEnrollmentStatus

func NewMfaEnrollmentStatusFromValue

func NewMfaEnrollmentStatusFromValue(v string) (*MfaEnrollmentStatus, error)

NewMfaEnrollmentStatusFromValue returns a pointer to a valid MfaEnrollmentStatus for the value passed as argument, or an error if the value passed is not allowed by the enum

func (MfaEnrollmentStatus) IsValid

func (v MfaEnrollmentStatus) IsValid() bool

IsValid return true if the value is valid for the enum, false otherwise

func (MfaEnrollmentStatus) Ptr

Ptr returns reference to mfaEnrollmentStatus value

func (*MfaEnrollmentStatus) UnmarshalJSON

func (v *MfaEnrollmentStatus) UnmarshalJSON(src []byte) error

type NullableApplication

type NullableApplication struct {
	// contains filtered or unexported fields
}

func NewNullableApplication

func NewNullableApplication(val *Application) *NullableApplication

func (NullableApplication) Get

func (NullableApplication) IsSet

func (v NullableApplication) IsSet() bool

func (NullableApplication) MarshalJSON

func (v NullableApplication) MarshalJSON() ([]byte, error)

func (*NullableApplication) Set

func (v *NullableApplication) Set(val *Application)

func (*NullableApplication) UnmarshalJSON

func (v *NullableApplication) UnmarshalJSON(src []byte) error

func (*NullableApplication) Unset

func (v *NullableApplication) Unset()

type NullableApplicationConfig

type NullableApplicationConfig struct {
	// contains filtered or unexported fields
}

func NewNullableApplicationConfig

func NewNullableApplicationConfig(val *ApplicationConfig) *NullableApplicationConfig

func (NullableApplicationConfig) Get

func (NullableApplicationConfig) IsSet

func (v NullableApplicationConfig) IsSet() bool

func (NullableApplicationConfig) MarshalJSON

func (v NullableApplicationConfig) MarshalJSON() ([]byte, error)

func (*NullableApplicationConfig) Set

func (*NullableApplicationConfig) UnmarshalJSON

func (v *NullableApplicationConfig) UnmarshalJSON(src []byte) error

func (*NullableApplicationConfig) Unset

func (v *NullableApplicationConfig) Unset()

type NullableApplicationConfigAcsUrl

type NullableApplicationConfigAcsUrl struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigAcsUrl) Get

func (NullableApplicationConfigAcsUrl) IsSet

func (NullableApplicationConfigAcsUrl) MarshalJSON

func (v NullableApplicationConfigAcsUrl) MarshalJSON() ([]byte, error)

func (*NullableApplicationConfigAcsUrl) Set

func (*NullableApplicationConfigAcsUrl) UnmarshalJSON

func (v *NullableApplicationConfigAcsUrl) UnmarshalJSON(src []byte) error

func (*NullableApplicationConfigAcsUrl) Unset

type NullableApplicationConfigAcsUrlTooltip

type NullableApplicationConfigAcsUrlTooltip struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigAcsUrlTooltip) Get

func (NullableApplicationConfigAcsUrlTooltip) IsSet

func (NullableApplicationConfigAcsUrlTooltip) MarshalJSON

func (v NullableApplicationConfigAcsUrlTooltip) MarshalJSON() ([]byte, error)

func (*NullableApplicationConfigAcsUrlTooltip) Set

func (*NullableApplicationConfigAcsUrlTooltip) UnmarshalJSON

func (v *NullableApplicationConfigAcsUrlTooltip) UnmarshalJSON(src []byte) error

func (*NullableApplicationConfigAcsUrlTooltip) Unset

type NullableApplicationConfigAcsUrlTooltipVariables

type NullableApplicationConfigAcsUrlTooltipVariables struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigAcsUrlTooltipVariables) Get

func (NullableApplicationConfigAcsUrlTooltipVariables) IsSet

func (NullableApplicationConfigAcsUrlTooltipVariables) MarshalJSON

func (*NullableApplicationConfigAcsUrlTooltipVariables) Set

func (*NullableApplicationConfigAcsUrlTooltipVariables) UnmarshalJSON

func (*NullableApplicationConfigAcsUrlTooltipVariables) Unset

type NullableApplicationConfigConstantAttributes

type NullableApplicationConfigConstantAttributes struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigConstantAttributes) Get

func (NullableApplicationConfigConstantAttributes) IsSet

func (NullableApplicationConfigConstantAttributes) MarshalJSON

func (*NullableApplicationConfigConstantAttributes) Set

func (*NullableApplicationConfigConstantAttributes) UnmarshalJSON

func (v *NullableApplicationConfigConstantAttributes) UnmarshalJSON(src []byte) error

func (*NullableApplicationConfigConstantAttributes) Unset

type NullableApplicationConfigConstantAttributesValueInner

type NullableApplicationConfigConstantAttributesValueInner struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigConstantAttributesValueInner) Get

func (NullableApplicationConfigConstantAttributesValueInner) IsSet

func (NullableApplicationConfigConstantAttributesValueInner) MarshalJSON

func (*NullableApplicationConfigConstantAttributesValueInner) Set

func (*NullableApplicationConfigConstantAttributesValueInner) UnmarshalJSON

func (*NullableApplicationConfigConstantAttributesValueInner) Unset

type NullableApplicationConfigDatabaseAttributes

type NullableApplicationConfigDatabaseAttributes struct {
	// contains filtered or unexported fields
}

func (NullableApplicationConfigDatabaseAttributes) Get

func (NullableApplicationConfigDatabaseAttributes) IsSet

func (NullableApplicationConfigDatabaseAttributes) MarshalJSON

func (*NullableApplicationConfigDatabaseAttributes) Set

func (*NullableApplicationConfigDatabaseAttributes) UnmarshalJSON

func (v *NullableApplicationConfigDatabaseAttributes) UnmarshalJSON(src []byte) error

func (*NullableApplicationConfigDatabaseAttributes) Unset

type NullableApplicationLogo struct {
	// contains filtered or unexported fields
}
func NewNullableApplicationLogo(val *ApplicationLogo) *NullableApplicationLogo

func (NullableApplicationLogo) Get

func (NullableApplicationLogo) IsSet

func (v NullableApplicationLogo) IsSet() bool

func (NullableApplicationLogo) MarshalJSON

func (v NullableApplicationLogo) MarshalJSON() ([]byte, error)

func (*NullableApplicationLogo) Set

func (*NullableApplicationLogo) UnmarshalJSON

func (v *NullableApplicationLogo) UnmarshalJSON(src []byte) error

func (*NullableApplicationLogo) Unset

func (v *NullableApplicationLogo) Unset()

type NullableApplicationslist

type NullableApplicationslist struct {
	// contains filtered or unexported fields
}

func NewNullableApplicationslist

func NewNullableApplicationslist(val *Applicationslist) *NullableApplicationslist

func (NullableApplicationslist) Get

func (NullableApplicationslist) IsSet

func (v NullableApplicationslist) IsSet() bool

func (NullableApplicationslist) MarshalJSON

func (v NullableApplicationslist) MarshalJSON() ([]byte, error)

func (*NullableApplicationslist) Set

func (*NullableApplicationslist) UnmarshalJSON

func (v *NullableApplicationslist) UnmarshalJSON(src []byte) error

func (*NullableApplicationslist) Unset

func (v *NullableApplicationslist) Unset()

type NullableApplicationtemplate

type NullableApplicationtemplate struct {
	// contains filtered or unexported fields
}

func NewNullableApplicationtemplate

func NewNullableApplicationtemplate(val *Applicationtemplate) *NullableApplicationtemplate

func (NullableApplicationtemplate) Get

func (NullableApplicationtemplate) IsSet

func (NullableApplicationtemplate) MarshalJSON

func (v NullableApplicationtemplate) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplate) Set

func (*NullableApplicationtemplate) UnmarshalJSON

func (v *NullableApplicationtemplate) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplate) Unset

func (v *NullableApplicationtemplate) Unset()

type NullableApplicationtemplateJit

type NullableApplicationtemplateJit struct {
	// contains filtered or unexported fields
}

func (NullableApplicationtemplateJit) Get

func (NullableApplicationtemplateJit) IsSet

func (NullableApplicationtemplateJit) MarshalJSON

func (v NullableApplicationtemplateJit) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplateJit) Set

func (*NullableApplicationtemplateJit) UnmarshalJSON

func (v *NullableApplicationtemplateJit) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplateJit) Unset

func (v *NullableApplicationtemplateJit) Unset()
type NullableApplicationtemplateLogo struct {
	// contains filtered or unexported fields
}

func (NullableApplicationtemplateLogo) Get

func (NullableApplicationtemplateLogo) IsSet

func (NullableApplicationtemplateLogo) MarshalJSON

func (v NullableApplicationtemplateLogo) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplateLogo) Set

func (*NullableApplicationtemplateLogo) UnmarshalJSON

func (v *NullableApplicationtemplateLogo) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplateLogo) Unset

type NullableApplicationtemplateOidc

type NullableApplicationtemplateOidc struct {
	// contains filtered or unexported fields
}

func (NullableApplicationtemplateOidc) Get

func (NullableApplicationtemplateOidc) IsSet

func (NullableApplicationtemplateOidc) MarshalJSON

func (v NullableApplicationtemplateOidc) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplateOidc) Set

func (*NullableApplicationtemplateOidc) UnmarshalJSON

func (v *NullableApplicationtemplateOidc) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplateOidc) Unset

type NullableApplicationtemplateProvision

type NullableApplicationtemplateProvision struct {
	// contains filtered or unexported fields
}

func (NullableApplicationtemplateProvision) Get

func (NullableApplicationtemplateProvision) IsSet

func (NullableApplicationtemplateProvision) MarshalJSON

func (v NullableApplicationtemplateProvision) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplateProvision) Set

func (*NullableApplicationtemplateProvision) UnmarshalJSON

func (v *NullableApplicationtemplateProvision) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplateProvision) Unset

type NullableApplicationtemplateslist

type NullableApplicationtemplateslist struct {
	// contains filtered or unexported fields
}

func (NullableApplicationtemplateslist) Get

func (NullableApplicationtemplateslist) IsSet

func (NullableApplicationtemplateslist) MarshalJSON

func (v NullableApplicationtemplateslist) MarshalJSON() ([]byte, error)

func (*NullableApplicationtemplateslist) Set

func (*NullableApplicationtemplateslist) UnmarshalJSON

func (v *NullableApplicationtemplateslist) UnmarshalJSON(src []byte) error

func (*NullableApplicationtemplateslist) Unset

type NullableBool

type NullableBool struct {
	// contains filtered or unexported fields
}

func NewNullableBool

func NewNullableBool(val *bool) *NullableBool

func (NullableBool) Get

func (v NullableBool) Get() *bool

func (NullableBool) IsSet

func (v NullableBool) IsSet() bool

func (NullableBool) MarshalJSON

func (v NullableBool) MarshalJSON() ([]byte, error)

func (*NullableBool) Set

func (v *NullableBool) Set(val *bool)

func (*NullableBool) UnmarshalJSON

func (v *NullableBool) UnmarshalJSON(src []byte) error

func (*NullableBool) Unset

func (v *NullableBool) Unset()

type NullableCommand

type NullableCommand struct {
	// contains filtered or unexported fields
}

func NewNullableCommand

func NewNullableCommand(val *Command) *NullableCommand

func (NullableCommand) Get

func (v NullableCommand) Get() *Command

func (NullableCommand) IsSet

func (v NullableCommand) IsSet() bool

func (NullableCommand) MarshalJSON

func (v NullableCommand) MarshalJSON() ([]byte, error)

func (*NullableCommand) Set

func (v *NullableCommand) Set(val *Command)

func (*NullableCommand) UnmarshalJSON

func (v *NullableCommand) UnmarshalJSON(src []byte) error

func (*NullableCommand) Unset

func (v *NullableCommand) Unset()

type NullableCommandfilereturn

type NullableCommandfilereturn struct {
	// contains filtered or unexported fields
}

func NewNullableCommandfilereturn

func NewNullableCommandfilereturn(val *Commandfilereturn) *NullableCommandfilereturn

func (NullableCommandfilereturn) Get

func (NullableCommandfilereturn) IsSet

func (v NullableCommandfilereturn) IsSet() bool

func (NullableCommandfilereturn) MarshalJSON

func (v NullableCommandfilereturn) MarshalJSON() ([]byte, error)

func (*NullableCommandfilereturn) Set

func (*NullableCommandfilereturn) UnmarshalJSON

func (v *NullableCommandfilereturn) UnmarshalJSON(src []byte) error

func (*NullableCommandfilereturn) Unset

func (v *NullableCommandfilereturn) Unset()

type NullableCommandfilereturnResultsInner

type NullableCommandfilereturnResultsInner struct {
	// contains filtered or unexported fields
}

func (NullableCommandfilereturnResultsInner) Get

func (NullableCommandfilereturnResultsInner) IsSet

func (NullableCommandfilereturnResultsInner) MarshalJSON

func (v NullableCommandfilereturnResultsInner) MarshalJSON() ([]byte, error)

func (*NullableCommandfilereturnResultsInner) Set

func (*NullableCommandfilereturnResultsInner) UnmarshalJSON

func (v *NullableCommandfilereturnResultsInner) UnmarshalJSON(src []byte) error

func (*NullableCommandfilereturnResultsInner) Unset

type NullableCommandresult

type NullableCommandresult struct {
	// contains filtered or unexported fields
}

func NewNullableCommandresult

func NewNullableCommandresult(val *Commandresult) *NullableCommandresult

func (NullableCommandresult) Get

func (NullableCommandresult) IsSet

func (v NullableCommandresult) IsSet() bool

func (NullableCommandresult) MarshalJSON

func (v NullableCommandresult) MarshalJSON() ([]byte, error)

func (*NullableCommandresult) Set

func (v *NullableCommandresult) Set(val *Commandresult)

func (*NullableCommandresult) UnmarshalJSON

func (v *NullableCommandresult) UnmarshalJSON(src []byte) error

func (*NullableCommandresult) Unset

func (v *NullableCommandresult) Unset()

type NullableCommandresultResponse

type NullableCommandresultResponse struct {
	// contains filtered or unexported fields
}

func (NullableCommandresultResponse) Get

func (NullableCommandresultResponse) IsSet

func (NullableCommandresultResponse) MarshalJSON

func (v NullableCommandresultResponse) MarshalJSON() ([]byte, error)

func (*NullableCommandresultResponse) Set

func (*NullableCommandresultResponse) UnmarshalJSON

func (v *NullableCommandresultResponse) UnmarshalJSON(src []byte) error

func (*NullableCommandresultResponse) Unset

func (v *NullableCommandresultResponse) Unset()

type NullableCommandresultResponseData

type NullableCommandresultResponseData struct {
	// contains filtered or unexported fields
}

func (NullableCommandresultResponseData) Get

func (NullableCommandresultResponseData) IsSet

func (NullableCommandresultResponseData) MarshalJSON

func (v NullableCommandresultResponseData) MarshalJSON() ([]byte, error)

func (*NullableCommandresultResponseData) Set

func (*NullableCommandresultResponseData) UnmarshalJSON

func (v *NullableCommandresultResponseData) UnmarshalJSON(src []byte) error

func (*NullableCommandresultResponseData) Unset

type NullableCommandresultslist

type NullableCommandresultslist struct {
	// contains filtered or unexported fields
}

func NewNullableCommandresultslist

func NewNullableCommandresultslist(val *Commandresultslist) *NullableCommandresultslist

func (NullableCommandresultslist) Get

func (NullableCommandresultslist) IsSet

func (v NullableCommandresultslist) IsSet() bool

func (NullableCommandresultslist) MarshalJSON

func (v NullableCommandresultslist) MarshalJSON() ([]byte, error)

func (*NullableCommandresultslist) Set

func (*NullableCommandresultslist) UnmarshalJSON

func (v *NullableCommandresultslist) UnmarshalJSON(src []byte) error

func (*NullableCommandresultslist) Unset

func (v *NullableCommandresultslist) Unset()

type NullableCommandresultslistResultsInner

type NullableCommandresultslistResultsInner struct {
	// contains filtered or unexported fields
}

func (NullableCommandresultslistResultsInner) Get

func (NullableCommandresultslistResultsInner) IsSet

func (NullableCommandresultslistResultsInner) MarshalJSON

func (v NullableCommandresultslistResultsInner) MarshalJSON() ([]byte, error)

func (*NullableCommandresultslistResultsInner) Set

func (*NullableCommandresultslistResultsInner) UnmarshalJSON

func (v *NullableCommandresultslistResultsInner) UnmarshalJSON(src []byte) error

func (*NullableCommandresultslistResultsInner) Unset

type NullableCommandslist

type NullableCommandslist struct {
	// contains filtered or unexported fields
}

func NewNullableCommandslist

func NewNullableCommandslist(val *Commandslist) *NullableCommandslist

func (NullableCommandslist) Get

func (NullableCommandslist) IsSet

func (v NullableCommandslist) IsSet() bool

func (NullableCommandslist) MarshalJSON

func (v NullableCommandslist) MarshalJSON() ([]byte, error)

func (*NullableCommandslist) Set

func (v *NullableCommandslist) Set(val *Commandslist)

func (*NullableCommandslist) UnmarshalJSON

func (v *NullableCommandslist) UnmarshalJSON(src []byte) error

func (*NullableCommandslist) Unset

func (v *NullableCommandslist) Unset()

type NullableCommandslistResultsInner

type NullableCommandslistResultsInner struct {
	// contains filtered or unexported fields
}

func (NullableCommandslistResultsInner) Get

func (NullableCommandslistResultsInner) IsSet

func (NullableCommandslistResultsInner) MarshalJSON

func (v NullableCommandslistResultsInner) MarshalJSON() ([]byte, error)

func (*NullableCommandslistResultsInner) Set

func (*NullableCommandslistResultsInner) UnmarshalJSON

func (v *NullableCommandslistResultsInner) UnmarshalJSON(src []byte) error

func (*NullableCommandslistResultsInner) Unset

type NullableError

type NullableError struct {
	// contains filtered or unexported fields
}

func NewNullableError

func NewNullableError(val *Error) *NullableError

func (NullableError) Get

func (v NullableError) Get() *Error

func (NullableError) IsSet

func (v NullableError) IsSet() bool

func (NullableError) MarshalJSON

func (v NullableError) MarshalJSON() ([]byte, error)

func (*NullableError) Set

func (v *NullableError) Set(val *Error)

func (*NullableError) UnmarshalJSON

func (v *NullableError) UnmarshalJSON(src []byte) error

func (*NullableError) Unset

func (v *NullableError) Unset()

type NullableErrorDetails

type NullableErrorDetails struct {
	// contains filtered or unexported fields
}

func NewNullableErrorDetails

func NewNullableErrorDetails(val *ErrorDetails) *NullableErrorDetails

func (NullableErrorDetails) Get

func (NullableErrorDetails) IsSet

func (v NullableErrorDetails) IsSet() bool

func (NullableErrorDetails) MarshalJSON

func (v NullableErrorDetails) MarshalJSON() ([]byte, error)

func (*NullableErrorDetails) Set

func (v *NullableErrorDetails) Set(val *ErrorDetails)

func (*NullableErrorDetails) UnmarshalJSON

func (v *NullableErrorDetails) UnmarshalJSON(src []byte) error

func (*NullableErrorDetails) Unset

func (v *NullableErrorDetails) Unset()

type NullableErrorDetailsAllOf

type NullableErrorDetailsAllOf struct {
	// contains filtered or unexported fields
}

func NewNullableErrorDetailsAllOf

func NewNullableErrorDetailsAllOf(val *ErrorDetailsAllOf) *NullableErrorDetailsAllOf

func (NullableErrorDetailsAllOf) Get

func (NullableErrorDetailsAllOf) IsSet

func (v NullableErrorDetailsAllOf) IsSet() bool

func (NullableErrorDetailsAllOf) MarshalJSON

func (v NullableErrorDetailsAllOf) MarshalJSON() ([]byte, error)

func (*NullableErrorDetailsAllOf) Set

func (*NullableErrorDetailsAllOf) UnmarshalJSON

func (v *NullableErrorDetailsAllOf) UnmarshalJSON(src []byte) error

func (*NullableErrorDetailsAllOf) Unset

func (v *NullableErrorDetailsAllOf) Unset()

type NullableFde

type NullableFde struct {
	// contains filtered or unexported fields
}

func NewNullableFde

func NewNullableFde(val *Fde) *NullableFde

func (NullableFde) Get

func (v NullableFde) Get() *Fde

func (NullableFde) IsSet

func (v NullableFde) IsSet() bool

func (NullableFde) MarshalJSON

func (v NullableFde) MarshalJSON() ([]byte, error)

func (*NullableFde) Set

func (v *NullableFde) Set(val *Fde)

func (*NullableFde) UnmarshalJSON

func (v *NullableFde) UnmarshalJSON(src []byte) error

func (*NullableFde) Unset

func (v *NullableFde) Unset()

type NullableFloat32

type NullableFloat32 struct {
	// contains filtered or unexported fields
}

func NewNullableFloat32

func NewNullableFloat32(val *float32) *NullableFloat32

func (NullableFloat32) Get

func (v NullableFloat32) Get() *float32

func (NullableFloat32) IsSet

func (v NullableFloat32) IsSet() bool

func (NullableFloat32) MarshalJSON

func (v NullableFloat32) MarshalJSON() ([]byte, error)

func (*NullableFloat32) Set

func (v *NullableFloat32) Set(val *float32)

func (*NullableFloat32) UnmarshalJSON

func (v *NullableFloat32) UnmarshalJSON(src []byte) error

func (*NullableFloat32) Unset

func (v *NullableFloat32) Unset()

type NullableFloat64

type NullableFloat64 struct {
	// contains filtered or unexported fields
}

func NewNullableFloat64

func NewNullableFloat64(val *float64) *NullableFloat64

func (NullableFloat64) Get

func (v NullableFloat64) Get() *float64

func (NullableFloat64) IsSet

func (v NullableFloat64) IsSet() bool

func (NullableFloat64) MarshalJSON

func (v NullableFloat64) MarshalJSON() ([]byte, error)

func (*NullableFloat64) Set

func (v *NullableFloat64) Set(val *float64)

func (*NullableFloat64) UnmarshalJSON

func (v *NullableFloat64) UnmarshalJSON(src []byte) error

func (*NullableFloat64) Unset

func (v *NullableFloat64) Unset()

type NullableInt

type NullableInt struct {
	// contains filtered or unexported fields
}

func NewNullableInt

func NewNullableInt(val *int) *NullableInt

func (NullableInt) Get

func (v NullableInt) Get() *int

func (NullableInt) IsSet

func (v NullableInt) IsSet() bool

func (NullableInt) MarshalJSON

func (v NullableInt) MarshalJSON() ([]byte, error)

func (*NullableInt) Set

func (v *NullableInt) Set(val *int)

func (*NullableInt) UnmarshalJSON

func (v *NullableInt) UnmarshalJSON(src []byte) error

func (*NullableInt) Unset

func (v *NullableInt) Unset()

type NullableInt32

type NullableInt32 struct {
	// contains filtered or unexported fields
}

func NewNullableInt32

func NewNullableInt32(val *int32) *NullableInt32

func (NullableInt32) Get

func (v NullableInt32) Get() *int32

func (NullableInt32) IsSet

func (v NullableInt32) IsSet() bool

func (NullableInt32) MarshalJSON

func (v NullableInt32) MarshalJSON() ([]byte, error)

func (*NullableInt32) Set

func (v *NullableInt32) Set(val *int32)

func (*NullableInt32) UnmarshalJSON

func (v *NullableInt32) UnmarshalJSON(src []byte) error

func (*NullableInt32) Unset

func (v *NullableInt32) Unset()

type NullableInt64

type NullableInt64 struct {
	// contains filtered or unexported fields
}

func NewNullableInt64

func NewNullableInt64(val *int64) *NullableInt64

func (NullableInt64) Get

func (v NullableInt64) Get() *int64

func (NullableInt64) IsSet

func (v NullableInt64) IsSet() bool

func (NullableInt64) MarshalJSON

func (v NullableInt64) MarshalJSON() ([]byte, error)

func (*NullableInt64) Set

func (v *NullableInt64) Set(val *int64)

func (*NullableInt64) UnmarshalJSON

func (v *NullableInt64) UnmarshalJSON(src []byte) error

func (*NullableInt64) Unset

func (v *NullableInt64) Unset()

type NullableMfa

type NullableMfa struct {
	// contains filtered or unexported fields
}

func NewNullableMfa

func NewNullableMfa(val *Mfa) *NullableMfa

func (NullableMfa) Get

func (v NullableMfa) Get() *Mfa

func (NullableMfa) IsSet

func (v NullableMfa) IsSet() bool

func (NullableMfa) MarshalJSON

func (v NullableMfa) MarshalJSON() ([]byte, error)

func (*NullableMfa) Set

func (v *NullableMfa) Set(val *Mfa)

func (*NullableMfa) UnmarshalJSON

func (v *NullableMfa) UnmarshalJSON(src []byte) error

func (*NullableMfa) Unset

func (v *NullableMfa) Unset()

type NullableMfaEnrollment

type NullableMfaEnrollment struct {
	// contains filtered or unexported fields
}

func NewNullableMfaEnrollment

func NewNullableMfaEnrollment(val *MfaEnrollment) *NullableMfaEnrollment

func (NullableMfaEnrollment) Get

func (NullableMfaEnrollment) IsSet

func (v NullableMfaEnrollment) IsSet() bool

func (NullableMfaEnrollment) MarshalJSON

func (v NullableMfaEnrollment) MarshalJSON() ([]byte, error)

func (*NullableMfaEnrollment) Set

func (v *NullableMfaEnrollment) Set(val *MfaEnrollment)

func (*NullableMfaEnrollment) UnmarshalJSON

func (v *NullableMfaEnrollment) UnmarshalJSON(src []byte) error

func (*NullableMfaEnrollment) Unset

func (v *NullableMfaEnrollment) Unset()

type NullableMfaEnrollmentStatus

type NullableMfaEnrollmentStatus struct {
	// contains filtered or unexported fields
}

func NewNullableMfaEnrollmentStatus

func NewNullableMfaEnrollmentStatus(val *MfaEnrollmentStatus) *NullableMfaEnrollmentStatus

func (NullableMfaEnrollmentStatus) Get

func (NullableMfaEnrollmentStatus) IsSet

func (NullableMfaEnrollmentStatus) MarshalJSON

func (v NullableMfaEnrollmentStatus) MarshalJSON() ([]byte, error)

func (*NullableMfaEnrollmentStatus) Set

func (*NullableMfaEnrollmentStatus) UnmarshalJSON

func (v *NullableMfaEnrollmentStatus) UnmarshalJSON(src []byte) error

func (*NullableMfaEnrollmentStatus) Unset

func (v *NullableMfaEnrollmentStatus) Unset()

type NullableOrganization

type NullableOrganization struct {
	// contains filtered or unexported fields
}

func NewNullableOrganization

func NewNullableOrganization(val *Organization) *NullableOrganization

func (NullableOrganization) Get

func (NullableOrganization) IsSet

func (v NullableOrganization) IsSet() bool

func (NullableOrganization) MarshalJSON

func (v NullableOrganization) MarshalJSON() ([]byte, error)

func (*NullableOrganization) Set

func (v *NullableOrganization) Set(val *Organization)

func (*NullableOrganization) UnmarshalJSON

func (v *NullableOrganization) UnmarshalJSON(src []byte) error

func (*NullableOrganization) Unset

func (v *NullableOrganization) Unset()

type NullableOrganizationPutRequest

type NullableOrganizationPutRequest struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationPutRequest) Get

func (NullableOrganizationPutRequest) IsSet

func (NullableOrganizationPutRequest) MarshalJSON

func (v NullableOrganizationPutRequest) MarshalJSON() ([]byte, error)

func (*NullableOrganizationPutRequest) Set

func (*NullableOrganizationPutRequest) UnmarshalJSON

func (v *NullableOrganizationPutRequest) UnmarshalJSON(src []byte) error

func (*NullableOrganizationPutRequest) Unset

func (v *NullableOrganizationPutRequest) Unset()

type NullableOrganizationentitlement

type NullableOrganizationentitlement struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationentitlement) Get

func (NullableOrganizationentitlement) IsSet

func (NullableOrganizationentitlement) MarshalJSON

func (v NullableOrganizationentitlement) MarshalJSON() ([]byte, error)

func (*NullableOrganizationentitlement) Set

func (*NullableOrganizationentitlement) UnmarshalJSON

func (v *NullableOrganizationentitlement) UnmarshalJSON(src []byte) error

func (*NullableOrganizationentitlement) Unset

type NullableOrganizationentitlementEntitlementProductsInner

type NullableOrganizationentitlementEntitlementProductsInner struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationentitlementEntitlementProductsInner) Get

func (NullableOrganizationentitlementEntitlementProductsInner) IsSet

func (NullableOrganizationentitlementEntitlementProductsInner) MarshalJSON

func (*NullableOrganizationentitlementEntitlementProductsInner) Set

func (*NullableOrganizationentitlementEntitlementProductsInner) UnmarshalJSON

func (*NullableOrganizationentitlementEntitlementProductsInner) Unset

type NullableOrganizationsettings

type NullableOrganizationsettings struct {
	// contains filtered or unexported fields
}

func NewNullableOrganizationsettings

func NewNullableOrganizationsettings(val *Organizationsettings) *NullableOrganizationsettings

func (NullableOrganizationsettings) Get

func (NullableOrganizationsettings) IsSet

func (NullableOrganizationsettings) MarshalJSON

func (v NullableOrganizationsettings) MarshalJSON() ([]byte, error)

func (*NullableOrganizationsettings) Set

func (*NullableOrganizationsettings) UnmarshalJSON

func (v *NullableOrganizationsettings) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettings) Unset

func (v *NullableOrganizationsettings) Unset()

type NullableOrganizationsettingsFeatures

type NullableOrganizationsettingsFeatures struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsFeatures) Get

func (NullableOrganizationsettingsFeatures) IsSet

func (NullableOrganizationsettingsFeatures) MarshalJSON

func (v NullableOrganizationsettingsFeatures) MarshalJSON() ([]byte, error)

func (*NullableOrganizationsettingsFeatures) Set

func (*NullableOrganizationsettingsFeatures) UnmarshalJSON

func (v *NullableOrganizationsettingsFeatures) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettingsFeatures) Unset

type NullableOrganizationsettingsFeaturesDirectoryInsights

type NullableOrganizationsettingsFeaturesDirectoryInsights struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsFeaturesDirectoryInsights) Get

func (NullableOrganizationsettingsFeaturesDirectoryInsights) IsSet

func (NullableOrganizationsettingsFeaturesDirectoryInsights) MarshalJSON

func (*NullableOrganizationsettingsFeaturesDirectoryInsights) Set

func (*NullableOrganizationsettingsFeaturesDirectoryInsights) UnmarshalJSON

func (*NullableOrganizationsettingsFeaturesDirectoryInsights) Unset

type NullableOrganizationsettingsFeaturesDirectoryInsightsPremium

type NullableOrganizationsettingsFeaturesDirectoryInsightsPremium struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) Get

func (NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) IsSet

func (NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) MarshalJSON

func (*NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) Set

func (*NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) UnmarshalJSON

func (*NullableOrganizationsettingsFeaturesDirectoryInsightsPremium) Unset

type NullableOrganizationsettingsFeaturesSystemInsights

type NullableOrganizationsettingsFeaturesSystemInsights struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsFeaturesSystemInsights) Get

func (NullableOrganizationsettingsFeaturesSystemInsights) IsSet

func (NullableOrganizationsettingsFeaturesSystemInsights) MarshalJSON

func (*NullableOrganizationsettingsFeaturesSystemInsights) Set

func (*NullableOrganizationsettingsFeaturesSystemInsights) UnmarshalJSON

func (*NullableOrganizationsettingsFeaturesSystemInsights) Unset

type NullableOrganizationsettingsNewSystemUserStateDefaults

type NullableOrganizationsettingsNewSystemUserStateDefaults struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsNewSystemUserStateDefaults) Get

func (NullableOrganizationsettingsNewSystemUserStateDefaults) IsSet

func (NullableOrganizationsettingsNewSystemUserStateDefaults) MarshalJSON

func (*NullableOrganizationsettingsNewSystemUserStateDefaults) Set

func (*NullableOrganizationsettingsNewSystemUserStateDefaults) UnmarshalJSON

func (*NullableOrganizationsettingsNewSystemUserStateDefaults) Unset

type NullableOrganizationsettingsPasswordPolicy

type NullableOrganizationsettingsPasswordPolicy struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsPasswordPolicy) Get

func (NullableOrganizationsettingsPasswordPolicy) IsSet

func (NullableOrganizationsettingsPasswordPolicy) MarshalJSON

func (*NullableOrganizationsettingsPasswordPolicy) Set

func (*NullableOrganizationsettingsPasswordPolicy) UnmarshalJSON

func (v *NullableOrganizationsettingsPasswordPolicy) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettingsPasswordPolicy) Unset

type NullableOrganizationsettingsUserPortal

type NullableOrganizationsettingsUserPortal struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsUserPortal) Get

func (NullableOrganizationsettingsUserPortal) IsSet

func (NullableOrganizationsettingsUserPortal) MarshalJSON

func (v NullableOrganizationsettingsUserPortal) MarshalJSON() ([]byte, error)

func (*NullableOrganizationsettingsUserPortal) Set

func (*NullableOrganizationsettingsUserPortal) UnmarshalJSON

func (v *NullableOrganizationsettingsUserPortal) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettingsUserPortal) Unset

type NullableOrganizationsettingsWindowsMDM

type NullableOrganizationsettingsWindowsMDM struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsWindowsMDM) Get

func (NullableOrganizationsettingsWindowsMDM) IsSet

func (NullableOrganizationsettingsWindowsMDM) MarshalJSON

func (v NullableOrganizationsettingsWindowsMDM) MarshalJSON() ([]byte, error)

func (*NullableOrganizationsettingsWindowsMDM) Set

func (*NullableOrganizationsettingsWindowsMDM) UnmarshalJSON

func (v *NullableOrganizationsettingsWindowsMDM) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettingsWindowsMDM) Unset

type NullableOrganizationsettingsput

type NullableOrganizationsettingsput struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsput) Get

func (NullableOrganizationsettingsput) IsSet

func (NullableOrganizationsettingsput) MarshalJSON

func (v NullableOrganizationsettingsput) MarshalJSON() ([]byte, error)

func (*NullableOrganizationsettingsput) Set

func (*NullableOrganizationsettingsput) UnmarshalJSON

func (v *NullableOrganizationsettingsput) UnmarshalJSON(src []byte) error

func (*NullableOrganizationsettingsput) Unset

type NullableOrganizationsettingsputNewSystemUserStateDefaults

type NullableOrganizationsettingsputNewSystemUserStateDefaults struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsputNewSystemUserStateDefaults) Get

func (NullableOrganizationsettingsputNewSystemUserStateDefaults) IsSet

func (NullableOrganizationsettingsputNewSystemUserStateDefaults) MarshalJSON

func (*NullableOrganizationsettingsputNewSystemUserStateDefaults) Set

func (*NullableOrganizationsettingsputNewSystemUserStateDefaults) UnmarshalJSON

func (*NullableOrganizationsettingsputNewSystemUserStateDefaults) Unset

type NullableOrganizationsettingsputPasswordPolicy

type NullableOrganizationsettingsputPasswordPolicy struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationsettingsputPasswordPolicy) Get

func (NullableOrganizationsettingsputPasswordPolicy) IsSet

func (NullableOrganizationsettingsputPasswordPolicy) MarshalJSON

func (*NullableOrganizationsettingsputPasswordPolicy) Set

func (*NullableOrganizationsettingsputPasswordPolicy) UnmarshalJSON

func (*NullableOrganizationsettingsputPasswordPolicy) Unset

type NullableOrganizationslist

type NullableOrganizationslist struct {
	// contains filtered or unexported fields
}

func NewNullableOrganizationslist

func NewNullableOrganizationslist(val *Organizationslist) *NullableOrganizationslist

func (NullableOrganizationslist) Get

func (NullableOrganizationslist) IsSet

func (v NullableOrganizationslist) IsSet() bool

func (NullableOrganizationslist) MarshalJSON

func (v NullableOrganizationslist) MarshalJSON() ([]byte, error)

func (*NullableOrganizationslist) Set

func (*NullableOrganizationslist) UnmarshalJSON

func (v *NullableOrganizationslist) UnmarshalJSON(src []byte) error

func (*NullableOrganizationslist) Unset

func (v *NullableOrganizationslist) Unset()

type NullableOrganizationslistResultsInner

type NullableOrganizationslistResultsInner struct {
	// contains filtered or unexported fields
}

func (NullableOrganizationslistResultsInner) Get

func (NullableOrganizationslistResultsInner) IsSet

func (NullableOrganizationslistResultsInner) MarshalJSON

func (v NullableOrganizationslistResultsInner) MarshalJSON() ([]byte, error)

func (*NullableOrganizationslistResultsInner) Set

func (*NullableOrganizationslistResultsInner) UnmarshalJSON

func (v *NullableOrganizationslistResultsInner) UnmarshalJSON(src []byte) error

func (*NullableOrganizationslistResultsInner) Unset

type NullableRadiusServersPutRequest

type NullableRadiusServersPutRequest struct {
	// contains filtered or unexported fields
}

func (NullableRadiusServersPutRequest) Get

func (NullableRadiusServersPutRequest) IsSet

func (NullableRadiusServersPutRequest) MarshalJSON

func (v NullableRadiusServersPutRequest) MarshalJSON() ([]byte, error)

func (*NullableRadiusServersPutRequest) Set

func (*NullableRadiusServersPutRequest) UnmarshalJSON

func (v *NullableRadiusServersPutRequest) UnmarshalJSON(src []byte) error

func (*NullableRadiusServersPutRequest) Unset

type NullableRadiusserver

type NullableRadiusserver struct {
	// contains filtered or unexported fields
}

func NewNullableRadiusserver

func NewNullableRadiusserver(val *Radiusserver) *NullableRadiusserver

func (NullableRadiusserver) Get

func (NullableRadiusserver) IsSet

func (v NullableRadiusserver) IsSet() bool

func (NullableRadiusserver) MarshalJSON

func (v NullableRadiusserver) MarshalJSON() ([]byte, error)

func (*NullableRadiusserver) Set

func (v *NullableRadiusserver) Set(val *Radiusserver)

func (*NullableRadiusserver) UnmarshalJSON

func (v *NullableRadiusserver) UnmarshalJSON(src []byte) error

func (*NullableRadiusserver) Unset

func (v *NullableRadiusserver) Unset()

type NullableRadiusserverpost

type NullableRadiusserverpost struct {
	// contains filtered or unexported fields
}

func NewNullableRadiusserverpost

func NewNullableRadiusserverpost(val *Radiusserverpost) *NullableRadiusserverpost

func (NullableRadiusserverpost) Get

func (NullableRadiusserverpost) IsSet

func (v NullableRadiusserverpost) IsSet() bool

func (NullableRadiusserverpost) MarshalJSON

func (v NullableRadiusserverpost) MarshalJSON() ([]byte, error)

func (*NullableRadiusserverpost) Set

func (*NullableRadiusserverpost) UnmarshalJSON

func (v *NullableRadiusserverpost) UnmarshalJSON(src []byte) error

func (*NullableRadiusserverpost) Unset

func (v *NullableRadiusserverpost) Unset()

type NullableRadiusserverput

type NullableRadiusserverput struct {
	// contains filtered or unexported fields
}

func NewNullableRadiusserverput

func NewNullableRadiusserverput(val *Radiusserverput) *NullableRadiusserverput

func (NullableRadiusserverput) Get

func (NullableRadiusserverput) IsSet

func (v NullableRadiusserverput) IsSet() bool

func (NullableRadiusserverput) MarshalJSON

func (v NullableRadiusserverput) MarshalJSON() ([]byte, error)

func (*NullableRadiusserverput) Set

func (*NullableRadiusserverput) UnmarshalJSON

func (v *NullableRadiusserverput) UnmarshalJSON(src []byte) error

func (*NullableRadiusserverput) Unset

func (v *NullableRadiusserverput) Unset()

type NullableRadiusserverslist

type NullableRadiusserverslist struct {
	// contains filtered or unexported fields
}

func NewNullableRadiusserverslist

func NewNullableRadiusserverslist(val *Radiusserverslist) *NullableRadiusserverslist

func (NullableRadiusserverslist) Get

func (NullableRadiusserverslist) IsSet

func (v NullableRadiusserverslist) IsSet() bool

func (NullableRadiusserverslist) MarshalJSON

func (v NullableRadiusserverslist) MarshalJSON() ([]byte, error)

func (*NullableRadiusserverslist) Set

func (*NullableRadiusserverslist) UnmarshalJSON

func (v *NullableRadiusserverslist) UnmarshalJSON(src []byte) error

func (*NullableRadiusserverslist) Unset

func (v *NullableRadiusserverslist) Unset()

type NullableSearch

type NullableSearch struct {
	// contains filtered or unexported fields
}

func NewNullableSearch

func NewNullableSearch(val *Search) *NullableSearch

func (NullableSearch) Get

func (v NullableSearch) Get() *Search

func (NullableSearch) IsSet

func (v NullableSearch) IsSet() bool

func (NullableSearch) MarshalJSON

func (v NullableSearch) MarshalJSON() ([]byte, error)

func (*NullableSearch) Set

func (v *NullableSearch) Set(val *Search)

func (*NullableSearch) UnmarshalJSON

func (v *NullableSearch) UnmarshalJSON(src []byte) error

func (*NullableSearch) Unset

func (v *NullableSearch) Unset()

type NullableSshkeylist

type NullableSshkeylist struct {
	// contains filtered or unexported fields
}

func NewNullableSshkeylist

func NewNullableSshkeylist(val *Sshkeylist) *NullableSshkeylist

func (NullableSshkeylist) Get

func (v NullableSshkeylist) Get() *Sshkeylist

func (NullableSshkeylist) IsSet

func (v NullableSshkeylist) IsSet() bool

func (NullableSshkeylist) MarshalJSON

func (v NullableSshkeylist) MarshalJSON() ([]byte, error)

func (*NullableSshkeylist) Set

func (v *NullableSshkeylist) Set(val *Sshkeylist)

func (*NullableSshkeylist) UnmarshalJSON

func (v *NullableSshkeylist) UnmarshalJSON(src []byte) error

func (*NullableSshkeylist) Unset

func (v *NullableSshkeylist) Unset()

type NullableSshkeypost

type NullableSshkeypost struct {
	// contains filtered or unexported fields
}

func NewNullableSshkeypost

func NewNullableSshkeypost(val *Sshkeypost) *NullableSshkeypost

func (NullableSshkeypost) Get

func (v NullableSshkeypost) Get() *Sshkeypost

func (NullableSshkeypost) IsSet

func (v NullableSshkeypost) IsSet() bool

func (NullableSshkeypost) MarshalJSON

func (v NullableSshkeypost) MarshalJSON() ([]byte, error)

func (*NullableSshkeypost) Set

func (v *NullableSshkeypost) Set(val *Sshkeypost)

func (*NullableSshkeypost) UnmarshalJSON

func (v *NullableSshkeypost) UnmarshalJSON(src []byte) error

func (*NullableSshkeypost) Unset

func (v *NullableSshkeypost) Unset()

type NullableSso

type NullableSso struct {
	// contains filtered or unexported fields
}

func NewNullableSso

func NewNullableSso(val *Sso) *NullableSso

func (NullableSso) Get

func (v NullableSso) Get() *Sso

func (NullableSso) IsSet

func (v NullableSso) IsSet() bool

func (NullableSso) MarshalJSON

func (v NullableSso) MarshalJSON() ([]byte, error)

func (*NullableSso) Set

func (v *NullableSso) Set(val *Sso)

func (*NullableSso) UnmarshalJSON

func (v *NullableSso) UnmarshalJSON(src []byte) error

func (*NullableSso) Unset

func (v *NullableSso) Unset()

type NullableString

type NullableString struct {
	// contains filtered or unexported fields
}

func NewNullableString

func NewNullableString(val *string) *NullableString

func (NullableString) Get

func (v NullableString) Get() *string

func (NullableString) IsSet

func (v NullableString) IsSet() bool

func (NullableString) MarshalJSON

func (v NullableString) MarshalJSON() ([]byte, error)

func (*NullableString) Set

func (v *NullableString) Set(val *string)

func (*NullableString) UnmarshalJSON

func (v *NullableString) UnmarshalJSON(src []byte) error

func (*NullableString) Unset

func (v *NullableString) Unset()

type NullableSystem

type NullableSystem struct {
	// contains filtered or unexported fields
}

func NewNullableSystem

func NewNullableSystem(val *System) *NullableSystem

func (NullableSystem) Get

func (v NullableSystem) Get() *System

func (NullableSystem) IsSet

func (v NullableSystem) IsSet() bool

func (NullableSystem) MarshalJSON

func (v NullableSystem) MarshalJSON() ([]byte, error)

func (*NullableSystem) Set

func (v *NullableSystem) Set(val *System)

func (*NullableSystem) UnmarshalJSON

func (v *NullableSystem) UnmarshalJSON(src []byte) error

func (*NullableSystem) Unset

func (v *NullableSystem) Unset()

type NullableSystemBuiltInCommandsInner

type NullableSystemBuiltInCommandsInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemBuiltInCommandsInner) Get

func (NullableSystemBuiltInCommandsInner) IsSet

func (NullableSystemBuiltInCommandsInner) MarshalJSON

func (v NullableSystemBuiltInCommandsInner) MarshalJSON() ([]byte, error)

func (*NullableSystemBuiltInCommandsInner) Set

func (*NullableSystemBuiltInCommandsInner) UnmarshalJSON

func (v *NullableSystemBuiltInCommandsInner) UnmarshalJSON(src []byte) error

func (*NullableSystemBuiltInCommandsInner) Unset

type NullableSystemDomainInfo

type NullableSystemDomainInfo struct {
	// contains filtered or unexported fields
}

func NewNullableSystemDomainInfo

func NewNullableSystemDomainInfo(val *SystemDomainInfo) *NullableSystemDomainInfo

func (NullableSystemDomainInfo) Get

func (NullableSystemDomainInfo) IsSet

func (v NullableSystemDomainInfo) IsSet() bool

func (NullableSystemDomainInfo) MarshalJSON

func (v NullableSystemDomainInfo) MarshalJSON() ([]byte, error)

func (*NullableSystemDomainInfo) Set

func (*NullableSystemDomainInfo) UnmarshalJSON

func (v *NullableSystemDomainInfo) UnmarshalJSON(src []byte) error

func (*NullableSystemDomainInfo) Unset

func (v *NullableSystemDomainInfo) Unset()

type NullableSystemMdm

type NullableSystemMdm struct {
	// contains filtered or unexported fields
}

func NewNullableSystemMdm

func NewNullableSystemMdm(val *SystemMdm) *NullableSystemMdm

func (NullableSystemMdm) Get

func (v NullableSystemMdm) Get() *SystemMdm

func (NullableSystemMdm) IsSet

func (v NullableSystemMdm) IsSet() bool

func (NullableSystemMdm) MarshalJSON

func (v NullableSystemMdm) MarshalJSON() ([]byte, error)

func (*NullableSystemMdm) Set

func (v *NullableSystemMdm) Set(val *SystemMdm)

func (*NullableSystemMdm) UnmarshalJSON

func (v *NullableSystemMdm) UnmarshalJSON(src []byte) error

func (*NullableSystemMdm) Unset

func (v *NullableSystemMdm) Unset()

type NullableSystemMdmInternal

type NullableSystemMdmInternal struct {
	// contains filtered or unexported fields
}

func NewNullableSystemMdmInternal

func NewNullableSystemMdmInternal(val *SystemMdmInternal) *NullableSystemMdmInternal

func (NullableSystemMdmInternal) Get

func (NullableSystemMdmInternal) IsSet

func (v NullableSystemMdmInternal) IsSet() bool

func (NullableSystemMdmInternal) MarshalJSON

func (v NullableSystemMdmInternal) MarshalJSON() ([]byte, error)

func (*NullableSystemMdmInternal) Set

func (*NullableSystemMdmInternal) UnmarshalJSON

func (v *NullableSystemMdmInternal) UnmarshalJSON(src []byte) error

func (*NullableSystemMdmInternal) Unset

func (v *NullableSystemMdmInternal) Unset()

type NullableSystemNetworkInterfacesInner

type NullableSystemNetworkInterfacesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemNetworkInterfacesInner) Get

func (NullableSystemNetworkInterfacesInner) IsSet

func (NullableSystemNetworkInterfacesInner) MarshalJSON

func (v NullableSystemNetworkInterfacesInner) MarshalJSON() ([]byte, error)

func (*NullableSystemNetworkInterfacesInner) Set

func (*NullableSystemNetworkInterfacesInner) UnmarshalJSON

func (v *NullableSystemNetworkInterfacesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemNetworkInterfacesInner) Unset

type NullableSystemOsVersionDetail

type NullableSystemOsVersionDetail struct {
	// contains filtered or unexported fields
}

func (NullableSystemOsVersionDetail) Get

func (NullableSystemOsVersionDetail) IsSet

func (NullableSystemOsVersionDetail) MarshalJSON

func (v NullableSystemOsVersionDetail) MarshalJSON() ([]byte, error)

func (*NullableSystemOsVersionDetail) Set

func (*NullableSystemOsVersionDetail) UnmarshalJSON

func (v *NullableSystemOsVersionDetail) UnmarshalJSON(src []byte) error

func (*NullableSystemOsVersionDetail) Unset

func (v *NullableSystemOsVersionDetail) Unset()

type NullableSystemProvisionMetadata

type NullableSystemProvisionMetadata struct {
	// contains filtered or unexported fields
}

func (NullableSystemProvisionMetadata) Get

func (NullableSystemProvisionMetadata) IsSet

func (NullableSystemProvisionMetadata) MarshalJSON

func (v NullableSystemProvisionMetadata) MarshalJSON() ([]byte, error)

func (*NullableSystemProvisionMetadata) Set

func (*NullableSystemProvisionMetadata) UnmarshalJSON

func (v *NullableSystemProvisionMetadata) UnmarshalJSON(src []byte) error

func (*NullableSystemProvisionMetadata) Unset

type NullableSystemProvisionMetadataProvisioner

type NullableSystemProvisionMetadataProvisioner struct {
	// contains filtered or unexported fields
}

func (NullableSystemProvisionMetadataProvisioner) Get

func (NullableSystemProvisionMetadataProvisioner) IsSet

func (NullableSystemProvisionMetadataProvisioner) MarshalJSON

func (*NullableSystemProvisionMetadataProvisioner) Set

func (*NullableSystemProvisionMetadataProvisioner) UnmarshalJSON

func (v *NullableSystemProvisionMetadataProvisioner) UnmarshalJSON(src []byte) error

func (*NullableSystemProvisionMetadataProvisioner) Unset

type NullableSystemServiceAccountState

type NullableSystemServiceAccountState struct {
	// contains filtered or unexported fields
}

func (NullableSystemServiceAccountState) Get

func (NullableSystemServiceAccountState) IsSet

func (NullableSystemServiceAccountState) MarshalJSON

func (v NullableSystemServiceAccountState) MarshalJSON() ([]byte, error)

func (*NullableSystemServiceAccountState) Set

func (*NullableSystemServiceAccountState) UnmarshalJSON

func (v *NullableSystemServiceAccountState) UnmarshalJSON(src []byte) error

func (*NullableSystemServiceAccountState) Unset

type NullableSystemSshdParamsInner

type NullableSystemSshdParamsInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemSshdParamsInner) Get

func (NullableSystemSshdParamsInner) IsSet

func (NullableSystemSshdParamsInner) MarshalJSON

func (v NullableSystemSshdParamsInner) MarshalJSON() ([]byte, error)

func (*NullableSystemSshdParamsInner) Set

func (*NullableSystemSshdParamsInner) UnmarshalJSON

func (v *NullableSystemSshdParamsInner) UnmarshalJSON(src []byte) error

func (*NullableSystemSshdParamsInner) Unset

func (v *NullableSystemSshdParamsInner) Unset()

type NullableSystemSystemInsights

type NullableSystemSystemInsights struct {
	// contains filtered or unexported fields
}

func NewNullableSystemSystemInsights

func NewNullableSystemSystemInsights(val *SystemSystemInsights) *NullableSystemSystemInsights

func (NullableSystemSystemInsights) Get

func (NullableSystemSystemInsights) IsSet

func (NullableSystemSystemInsights) MarshalJSON

func (v NullableSystemSystemInsights) MarshalJSON() ([]byte, error)

func (*NullableSystemSystemInsights) Set

func (*NullableSystemSystemInsights) UnmarshalJSON

func (v *NullableSystemSystemInsights) UnmarshalJSON(src []byte) error

func (*NullableSystemSystemInsights) Unset

func (v *NullableSystemSystemInsights) Unset()

type NullableSystemUserMetricsInner

type NullableSystemUserMetricsInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemUserMetricsInner) Get

func (NullableSystemUserMetricsInner) IsSet

func (NullableSystemUserMetricsInner) MarshalJSON

func (v NullableSystemUserMetricsInner) MarshalJSON() ([]byte, error)

func (*NullableSystemUserMetricsInner) Set

func (*NullableSystemUserMetricsInner) UnmarshalJSON

func (v *NullableSystemUserMetricsInner) UnmarshalJSON(src []byte) error

func (*NullableSystemUserMetricsInner) Unset

func (v *NullableSystemUserMetricsInner) Unset()

type NullableSystemput

type NullableSystemput struct {
	// contains filtered or unexported fields
}

func NewNullableSystemput

func NewNullableSystemput(val *Systemput) *NullableSystemput

func (NullableSystemput) Get

func (v NullableSystemput) Get() *Systemput

func (NullableSystemput) IsSet

func (v NullableSystemput) IsSet() bool

func (NullableSystemput) MarshalJSON

func (v NullableSystemput) MarshalJSON() ([]byte, error)

func (*NullableSystemput) Set

func (v *NullableSystemput) Set(val *Systemput)

func (*NullableSystemput) UnmarshalJSON

func (v *NullableSystemput) UnmarshalJSON(src []byte) error

func (*NullableSystemput) Unset

func (v *NullableSystemput) Unset()

type NullableSystemputAgentBoundMessagesInner

type NullableSystemputAgentBoundMessagesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemputAgentBoundMessagesInner) Get

func (NullableSystemputAgentBoundMessagesInner) IsSet

func (NullableSystemputAgentBoundMessagesInner) MarshalJSON

func (*NullableSystemputAgentBoundMessagesInner) Set

func (*NullableSystemputAgentBoundMessagesInner) UnmarshalJSON

func (v *NullableSystemputAgentBoundMessagesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemputAgentBoundMessagesInner) Unset

type NullableSystemslist

type NullableSystemslist struct {
	// contains filtered or unexported fields
}

func NewNullableSystemslist

func NewNullableSystemslist(val *Systemslist) *NullableSystemslist

func (NullableSystemslist) Get

func (NullableSystemslist) IsSet

func (v NullableSystemslist) IsSet() bool

func (NullableSystemslist) MarshalJSON

func (v NullableSystemslist) MarshalJSON() ([]byte, error)

func (*NullableSystemslist) Set

func (v *NullableSystemslist) Set(val *Systemslist)

func (*NullableSystemslist) UnmarshalJSON

func (v *NullableSystemslist) UnmarshalJSON(src []byte) error

func (*NullableSystemslist) Unset

func (v *NullableSystemslist) Unset()

type NullableSystemuserput

type NullableSystemuserput struct {
	// contains filtered or unexported fields
}

func NewNullableSystemuserput

func NewNullableSystemuserput(val *Systemuserput) *NullableSystemuserput

func (NullableSystemuserput) Get

func (NullableSystemuserput) IsSet

func (v NullableSystemuserput) IsSet() bool

func (NullableSystemuserput) MarshalJSON

func (v NullableSystemuserput) MarshalJSON() ([]byte, error)

func (*NullableSystemuserput) Set

func (v *NullableSystemuserput) Set(val *Systemuserput)

func (*NullableSystemuserput) UnmarshalJSON

func (v *NullableSystemuserput) UnmarshalJSON(src []byte) error

func (*NullableSystemuserput) Unset

func (v *NullableSystemuserput) Unset()

type NullableSystemuserputAddressesInner

type NullableSystemuserputAddressesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputAddressesInner) Get

func (NullableSystemuserputAddressesInner) IsSet

func (NullableSystemuserputAddressesInner) MarshalJSON

func (v NullableSystemuserputAddressesInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputAddressesInner) Set

func (*NullableSystemuserputAddressesInner) UnmarshalJSON

func (v *NullableSystemuserputAddressesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputAddressesInner) Unset

type NullableSystemuserputAttributesInner

type NullableSystemuserputAttributesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputAttributesInner) Get

func (NullableSystemuserputAttributesInner) IsSet

func (NullableSystemuserputAttributesInner) MarshalJSON

func (v NullableSystemuserputAttributesInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputAttributesInner) Set

func (*NullableSystemuserputAttributesInner) UnmarshalJSON

func (v *NullableSystemuserputAttributesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputAttributesInner) Unset

type NullableSystemuserputPhoneNumbersInner

type NullableSystemuserputPhoneNumbersInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputPhoneNumbersInner) Get

func (NullableSystemuserputPhoneNumbersInner) IsSet

func (NullableSystemuserputPhoneNumbersInner) MarshalJSON

func (v NullableSystemuserputPhoneNumbersInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputPhoneNumbersInner) Set

func (*NullableSystemuserputPhoneNumbersInner) UnmarshalJSON

func (v *NullableSystemuserputPhoneNumbersInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputPhoneNumbersInner) Unset

type NullableSystemuserputRelationshipsInner

type NullableSystemuserputRelationshipsInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputRelationshipsInner) Get

func (NullableSystemuserputRelationshipsInner) IsSet

func (NullableSystemuserputRelationshipsInner) MarshalJSON

func (v NullableSystemuserputRelationshipsInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputRelationshipsInner) Set

func (*NullableSystemuserputRelationshipsInner) UnmarshalJSON

func (v *NullableSystemuserputRelationshipsInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputRelationshipsInner) Unset

type NullableSystemuserputpost

type NullableSystemuserputpost struct {
	// contains filtered or unexported fields
}

func NewNullableSystemuserputpost

func NewNullableSystemuserputpost(val *Systemuserputpost) *NullableSystemuserputpost

func (NullableSystemuserputpost) Get

func (NullableSystemuserputpost) IsSet

func (v NullableSystemuserputpost) IsSet() bool

func (NullableSystemuserputpost) MarshalJSON

func (v NullableSystemuserputpost) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputpost) Set

func (*NullableSystemuserputpost) UnmarshalJSON

func (v *NullableSystemuserputpost) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputpost) Unset

func (v *NullableSystemuserputpost) Unset()

type NullableSystemuserputpostAddressesInner

type NullableSystemuserputpostAddressesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputpostAddressesInner) Get

func (NullableSystemuserputpostAddressesInner) IsSet

func (NullableSystemuserputpostAddressesInner) MarshalJSON

func (v NullableSystemuserputpostAddressesInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputpostAddressesInner) Set

func (*NullableSystemuserputpostAddressesInner) UnmarshalJSON

func (v *NullableSystemuserputpostAddressesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputpostAddressesInner) Unset

type NullableSystemuserputpostPhoneNumbersInner

type NullableSystemuserputpostPhoneNumbersInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputpostPhoneNumbersInner) Get

func (NullableSystemuserputpostPhoneNumbersInner) IsSet

func (NullableSystemuserputpostPhoneNumbersInner) MarshalJSON

func (*NullableSystemuserputpostPhoneNumbersInner) Set

func (*NullableSystemuserputpostPhoneNumbersInner) UnmarshalJSON

func (v *NullableSystemuserputpostPhoneNumbersInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputpostPhoneNumbersInner) Unset

type NullableSystemuserputpostRecoveryEmail

type NullableSystemuserputpostRecoveryEmail struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserputpostRecoveryEmail) Get

func (NullableSystemuserputpostRecoveryEmail) IsSet

func (NullableSystemuserputpostRecoveryEmail) MarshalJSON

func (v NullableSystemuserputpostRecoveryEmail) MarshalJSON() ([]byte, error)

func (*NullableSystemuserputpostRecoveryEmail) Set

func (*NullableSystemuserputpostRecoveryEmail) UnmarshalJSON

func (v *NullableSystemuserputpostRecoveryEmail) UnmarshalJSON(src []byte) error

func (*NullableSystemuserputpostRecoveryEmail) Unset

type NullableSystemuserreturn

type NullableSystemuserreturn struct {
	// contains filtered or unexported fields
}

func NewNullableSystemuserreturn

func NewNullableSystemuserreturn(val *Systemuserreturn) *NullableSystemuserreturn

func (NullableSystemuserreturn) Get

func (NullableSystemuserreturn) IsSet

func (v NullableSystemuserreturn) IsSet() bool

func (NullableSystemuserreturn) MarshalJSON

func (v NullableSystemuserreturn) MarshalJSON() ([]byte, error)

func (*NullableSystemuserreturn) Set

func (*NullableSystemuserreturn) UnmarshalJSON

func (v *NullableSystemuserreturn) UnmarshalJSON(src []byte) error

func (*NullableSystemuserreturn) Unset

func (v *NullableSystemuserreturn) Unset()

type NullableSystemuserreturnAddressesInner

type NullableSystemuserreturnAddressesInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserreturnAddressesInner) Get

func (NullableSystemuserreturnAddressesInner) IsSet

func (NullableSystemuserreturnAddressesInner) MarshalJSON

func (v NullableSystemuserreturnAddressesInner) MarshalJSON() ([]byte, error)

func (*NullableSystemuserreturnAddressesInner) Set

func (*NullableSystemuserreturnAddressesInner) UnmarshalJSON

func (v *NullableSystemuserreturnAddressesInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserreturnAddressesInner) Unset

type NullableSystemuserreturnPhoneNumbersInner

type NullableSystemuserreturnPhoneNumbersInner struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserreturnPhoneNumbersInner) Get

func (NullableSystemuserreturnPhoneNumbersInner) IsSet

func (NullableSystemuserreturnPhoneNumbersInner) MarshalJSON

func (*NullableSystemuserreturnPhoneNumbersInner) Set

func (*NullableSystemuserreturnPhoneNumbersInner) UnmarshalJSON

func (v *NullableSystemuserreturnPhoneNumbersInner) UnmarshalJSON(src []byte) error

func (*NullableSystemuserreturnPhoneNumbersInner) Unset

type NullableSystemuserreturnRecoveryEmail

type NullableSystemuserreturnRecoveryEmail struct {
	// contains filtered or unexported fields
}

func (NullableSystemuserreturnRecoveryEmail) Get

func (NullableSystemuserreturnRecoveryEmail) IsSet

func (NullableSystemuserreturnRecoveryEmail) MarshalJSON

func (v NullableSystemuserreturnRecoveryEmail) MarshalJSON() ([]byte, error)

func (*NullableSystemuserreturnRecoveryEmail) Set

func (*NullableSystemuserreturnRecoveryEmail) UnmarshalJSON

func (v *NullableSystemuserreturnRecoveryEmail) UnmarshalJSON(src []byte) error

func (*NullableSystemuserreturnRecoveryEmail) Unset

type NullableSystemusersResetmfaRequest

type NullableSystemusersResetmfaRequest struct {
	// contains filtered or unexported fields
}

func (NullableSystemusersResetmfaRequest) Get

func (NullableSystemusersResetmfaRequest) IsSet

func (NullableSystemusersResetmfaRequest) MarshalJSON

func (v NullableSystemusersResetmfaRequest) MarshalJSON() ([]byte, error)

func (*NullableSystemusersResetmfaRequest) Set

func (*NullableSystemusersResetmfaRequest) UnmarshalJSON

func (v *NullableSystemusersResetmfaRequest) UnmarshalJSON(src []byte) error

func (*NullableSystemusersResetmfaRequest) Unset

type NullableSystemusersStateActivateRequest

type NullableSystemusersStateActivateRequest struct {
	// contains filtered or unexported fields
}

func (NullableSystemusersStateActivateRequest) Get

func (NullableSystemusersStateActivateRequest) IsSet

func (NullableSystemusersStateActivateRequest) MarshalJSON

func (v NullableSystemusersStateActivateRequest) MarshalJSON() ([]byte, error)

func (*NullableSystemusersStateActivateRequest) Set

func (*NullableSystemusersStateActivateRequest) UnmarshalJSON

func (v *NullableSystemusersStateActivateRequest) UnmarshalJSON(src []byte) error

func (*NullableSystemusersStateActivateRequest) Unset

type NullableSystemuserslist

type NullableSystemuserslist struct {
	// contains filtered or unexported fields
}

func NewNullableSystemuserslist

func NewNullableSystemuserslist(val *Systemuserslist) *NullableSystemuserslist

func (NullableSystemuserslist) Get

func (NullableSystemuserslist) IsSet

func (v NullableSystemuserslist) IsSet() bool

func (NullableSystemuserslist) MarshalJSON

func (v NullableSystemuserslist) MarshalJSON() ([]byte, error)

func (*NullableSystemuserslist) Set

func (*NullableSystemuserslist) UnmarshalJSON

func (v *NullableSystemuserslist) UnmarshalJSON(src []byte) error

func (*NullableSystemuserslist) Unset

func (v *NullableSystemuserslist) Unset()

type NullableTime

type NullableTime struct {
	// contains filtered or unexported fields
}

func NewNullableTime

func NewNullableTime(val *time.Time) *NullableTime

func (NullableTime) Get

func (v NullableTime) Get() *time.Time

func (NullableTime) IsSet

func (v NullableTime) IsSet() bool

func (NullableTime) MarshalJSON

func (v NullableTime) MarshalJSON() ([]byte, error)

func (*NullableTime) Set

func (v *NullableTime) Set(val *time.Time)

func (*NullableTime) UnmarshalJSON

func (v *NullableTime) UnmarshalJSON(src []byte) error

func (*NullableTime) Unset

func (v *NullableTime) Unset()

type NullableTriggerreturn

type NullableTriggerreturn struct {
	// contains filtered or unexported fields
}

func NewNullableTriggerreturn

func NewNullableTriggerreturn(val *Triggerreturn) *NullableTriggerreturn

func (NullableTriggerreturn) Get

func (NullableTriggerreturn) IsSet

func (v NullableTriggerreturn) IsSet() bool

func (NullableTriggerreturn) MarshalJSON

func (v NullableTriggerreturn) MarshalJSON() ([]byte, error)

func (*NullableTriggerreturn) Set

func (v *NullableTriggerreturn) Set(val *Triggerreturn)

func (*NullableTriggerreturn) UnmarshalJSON

func (v *NullableTriggerreturn) UnmarshalJSON(src []byte) error

func (*NullableTriggerreturn) Unset

func (v *NullableTriggerreturn) Unset()

type NullableTrustedappConfigGet

type NullableTrustedappConfigGet struct {
	// contains filtered or unexported fields
}

func NewNullableTrustedappConfigGet

func NewNullableTrustedappConfigGet(val *TrustedappConfigGet) *NullableTrustedappConfigGet

func (NullableTrustedappConfigGet) Get

func (NullableTrustedappConfigGet) IsSet

func (NullableTrustedappConfigGet) MarshalJSON

func (v NullableTrustedappConfigGet) MarshalJSON() ([]byte, error)

func (*NullableTrustedappConfigGet) Set

func (*NullableTrustedappConfigGet) UnmarshalJSON

func (v *NullableTrustedappConfigGet) UnmarshalJSON(src []byte) error

func (*NullableTrustedappConfigGet) Unset

func (v *NullableTrustedappConfigGet) Unset()

type NullableTrustedappConfigGetTrustedAppsInner

type NullableTrustedappConfigGetTrustedAppsInner struct {
	// contains filtered or unexported fields
}

func (NullableTrustedappConfigGetTrustedAppsInner) Get

func (NullableTrustedappConfigGetTrustedAppsInner) IsSet

func (NullableTrustedappConfigGetTrustedAppsInner) MarshalJSON

func (*NullableTrustedappConfigGetTrustedAppsInner) Set

func (*NullableTrustedappConfigGetTrustedAppsInner) UnmarshalJSON

func (v *NullableTrustedappConfigGetTrustedAppsInner) UnmarshalJSON(src []byte) error

func (*NullableTrustedappConfigGetTrustedAppsInner) Unset

type NullableTrustedappConfigPut

type NullableTrustedappConfigPut struct {
	// contains filtered or unexported fields
}

func NewNullableTrustedappConfigPut

func NewNullableTrustedappConfigPut(val *TrustedappConfigPut) *NullableTrustedappConfigPut

func (NullableTrustedappConfigPut) Get

func (NullableTrustedappConfigPut) IsSet

func (NullableTrustedappConfigPut) MarshalJSON

func (v NullableTrustedappConfigPut) MarshalJSON() ([]byte, error)

func (*NullableTrustedappConfigPut) Set

func (*NullableTrustedappConfigPut) UnmarshalJSON

func (v *NullableTrustedappConfigPut) UnmarshalJSON(src []byte) error

func (*NullableTrustedappConfigPut) Unset

func (v *NullableTrustedappConfigPut) Unset()

type NullableUserput

type NullableUserput struct {
	// contains filtered or unexported fields
}

func NewNullableUserput

func NewNullableUserput(val *Userput) *NullableUserput

func (NullableUserput) Get

func (v NullableUserput) Get() *Userput

func (NullableUserput) IsSet

func (v NullableUserput) IsSet() bool

func (NullableUserput) MarshalJSON

func (v NullableUserput) MarshalJSON() ([]byte, error)

func (*NullableUserput) Set

func (v *NullableUserput) Set(val *Userput)

func (*NullableUserput) UnmarshalJSON

func (v *NullableUserput) UnmarshalJSON(src []byte) error

func (*NullableUserput) Unset

func (v *NullableUserput) Unset()

type NullableUserreturn

type NullableUserreturn struct {
	// contains filtered or unexported fields
}

func NewNullableUserreturn

func NewNullableUserreturn(val *Userreturn) *NullableUserreturn

func (NullableUserreturn) Get

func (v NullableUserreturn) Get() *Userreturn

func (NullableUserreturn) IsSet

func (v NullableUserreturn) IsSet() bool

func (NullableUserreturn) MarshalJSON

func (v NullableUserreturn) MarshalJSON() ([]byte, error)

func (*NullableUserreturn) Set

func (v *NullableUserreturn) Set(val *Userreturn)

func (*NullableUserreturn) UnmarshalJSON

func (v *NullableUserreturn) UnmarshalJSON(src []byte) error

func (*NullableUserreturn) Unset

func (v *NullableUserreturn) Unset()

type NullableUserreturnGrowthData

type NullableUserreturnGrowthData struct {
	// contains filtered or unexported fields
}

func NewNullableUserreturnGrowthData

func NewNullableUserreturnGrowthData(val *UserreturnGrowthData) *NullableUserreturnGrowthData

func (NullableUserreturnGrowthData) Get

func (NullableUserreturnGrowthData) IsSet

func (NullableUserreturnGrowthData) MarshalJSON

func (v NullableUserreturnGrowthData) MarshalJSON() ([]byte, error)

func (*NullableUserreturnGrowthData) Set

func (*NullableUserreturnGrowthData) UnmarshalJSON

func (v *NullableUserreturnGrowthData) UnmarshalJSON(src []byte) error

func (*NullableUserreturnGrowthData) Unset

func (v *NullableUserreturnGrowthData) Unset()

type Organization

type Organization struct {
	Id                               *string                  `json:"_id,omitempty"`
	AccountsReceivable               *string                  `json:"accountsReceivable,omitempty"`
	Created                          *string                  `json:"created,omitempty"`
	DisplayName                      *string                  `json:"displayName,omitempty"`
	Entitlement                      *Organizationentitlement `json:"entitlement,omitempty"`
	HasCreditCard                    *bool                    `json:"hasCreditCard,omitempty"`
	HasStripeCustomerId              *bool                    `json:"hasStripeCustomerId,omitempty"`
	LastEstimateCalculationTimeStamp *string                  `json:"lastEstimateCalculationTimeStamp,omitempty"`
	LastSfdcSyncStatus               map[string]interface{}   `json:"lastSfdcSyncStatus,omitempty"`
	LogoUrl                          *string                  `json:"logoUrl,omitempty"`
	Provider                         *string                  `json:"provider,omitempty"`
	Settings                         *Organizationsettings    `json:"settings,omitempty"`
	TotalBillingEstimate             *int32                   `json:"totalBillingEstimate,omitempty"`
	AdditionalProperties             map[string]interface{}
}

Organization struct for Organization

func NewOrganization

func NewOrganization() *Organization

NewOrganization instantiates a new Organization object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationWithDefaults

func NewOrganizationWithDefaults() *Organization

NewOrganizationWithDefaults instantiates a new Organization object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Organization) GetAccountsReceivable

func (o *Organization) GetAccountsReceivable() string

GetAccountsReceivable returns the AccountsReceivable field value if set, zero value otherwise.

func (*Organization) GetAccountsReceivableOk

func (o *Organization) GetAccountsReceivableOk() (*string, bool)

GetAccountsReceivableOk returns a tuple with the AccountsReceivable field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetCreated

func (o *Organization) GetCreated() string

GetCreated returns the Created field value if set, zero value otherwise.

func (*Organization) GetCreatedOk

func (o *Organization) GetCreatedOk() (*string, bool)

GetCreatedOk returns a tuple with the Created field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetDisplayName

func (o *Organization) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*Organization) GetDisplayNameOk

func (o *Organization) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetEntitlement

func (o *Organization) GetEntitlement() Organizationentitlement

GetEntitlement returns the Entitlement field value if set, zero value otherwise.

func (*Organization) GetEntitlementOk

func (o *Organization) GetEntitlementOk() (*Organizationentitlement, bool)

GetEntitlementOk returns a tuple with the Entitlement field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetHasCreditCard

func (o *Organization) GetHasCreditCard() bool

GetHasCreditCard returns the HasCreditCard field value if set, zero value otherwise.

func (*Organization) GetHasCreditCardOk

func (o *Organization) GetHasCreditCardOk() (*bool, bool)

GetHasCreditCardOk returns a tuple with the HasCreditCard field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetHasStripeCustomerId

func (o *Organization) GetHasStripeCustomerId() bool

GetHasStripeCustomerId returns the HasStripeCustomerId field value if set, zero value otherwise.

func (*Organization) GetHasStripeCustomerIdOk

func (o *Organization) GetHasStripeCustomerIdOk() (*bool, bool)

GetHasStripeCustomerIdOk returns a tuple with the HasStripeCustomerId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetId

func (o *Organization) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Organization) GetIdOk

func (o *Organization) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetLastEstimateCalculationTimeStamp

func (o *Organization) GetLastEstimateCalculationTimeStamp() string

GetLastEstimateCalculationTimeStamp returns the LastEstimateCalculationTimeStamp field value if set, zero value otherwise.

func (*Organization) GetLastEstimateCalculationTimeStampOk

func (o *Organization) GetLastEstimateCalculationTimeStampOk() (*string, bool)

GetLastEstimateCalculationTimeStampOk returns a tuple with the LastEstimateCalculationTimeStamp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetLastSfdcSyncStatus

func (o *Organization) GetLastSfdcSyncStatus() map[string]interface{}

GetLastSfdcSyncStatus returns the LastSfdcSyncStatus field value if set, zero value otherwise.

func (*Organization) GetLastSfdcSyncStatusOk

func (o *Organization) GetLastSfdcSyncStatusOk() (map[string]interface{}, bool)

GetLastSfdcSyncStatusOk returns a tuple with the LastSfdcSyncStatus field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetLogoUrl

func (o *Organization) GetLogoUrl() string

GetLogoUrl returns the LogoUrl field value if set, zero value otherwise.

func (*Organization) GetLogoUrlOk

func (o *Organization) GetLogoUrlOk() (*string, bool)

GetLogoUrlOk returns a tuple with the LogoUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetProvider

func (o *Organization) GetProvider() string

GetProvider returns the Provider field value if set, zero value otherwise.

func (*Organization) GetProviderOk

func (o *Organization) GetProviderOk() (*string, bool)

GetProviderOk returns a tuple with the Provider field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetSettings

func (o *Organization) GetSettings() Organizationsettings

GetSettings returns the Settings field value if set, zero value otherwise.

func (*Organization) GetSettingsOk

func (o *Organization) GetSettingsOk() (*Organizationsettings, bool)

GetSettingsOk returns a tuple with the Settings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) GetTotalBillingEstimate

func (o *Organization) GetTotalBillingEstimate() int32

GetTotalBillingEstimate returns the TotalBillingEstimate field value if set, zero value otherwise.

func (*Organization) GetTotalBillingEstimateOk

func (o *Organization) GetTotalBillingEstimateOk() (*int32, bool)

GetTotalBillingEstimateOk returns a tuple with the TotalBillingEstimate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organization) HasAccountsReceivable

func (o *Organization) HasAccountsReceivable() bool

HasAccountsReceivable returns a boolean if a field has been set.

func (*Organization) HasCreated

func (o *Organization) HasCreated() bool

HasCreated returns a boolean if a field has been set.

func (*Organization) HasDisplayName

func (o *Organization) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*Organization) HasEntitlement

func (o *Organization) HasEntitlement() bool

HasEntitlement returns a boolean if a field has been set.

func (*Organization) HasHasCreditCard

func (o *Organization) HasHasCreditCard() bool

HasHasCreditCard returns a boolean if a field has been set.

func (*Organization) HasHasStripeCustomerId

func (o *Organization) HasHasStripeCustomerId() bool

HasHasStripeCustomerId returns a boolean if a field has been set.

func (*Organization) HasId

func (o *Organization) HasId() bool

HasId returns a boolean if a field has been set.

func (*Organization) HasLastEstimateCalculationTimeStamp

func (o *Organization) HasLastEstimateCalculationTimeStamp() bool

HasLastEstimateCalculationTimeStamp returns a boolean if a field has been set.

func (*Organization) HasLastSfdcSyncStatus

func (o *Organization) HasLastSfdcSyncStatus() bool

HasLastSfdcSyncStatus returns a boolean if a field has been set.

func (*Organization) HasLogoUrl

func (o *Organization) HasLogoUrl() bool

HasLogoUrl returns a boolean if a field has been set.

func (*Organization) HasProvider

func (o *Organization) HasProvider() bool

HasProvider returns a boolean if a field has been set.

func (*Organization) HasSettings

func (o *Organization) HasSettings() bool

HasSettings returns a boolean if a field has been set.

func (*Organization) HasTotalBillingEstimate

func (o *Organization) HasTotalBillingEstimate() bool

HasTotalBillingEstimate returns a boolean if a field has been set.

func (Organization) MarshalJSON

func (o Organization) MarshalJSON() ([]byte, error)

func (*Organization) SetAccountsReceivable

func (o *Organization) SetAccountsReceivable(v string)

SetAccountsReceivable gets a reference to the given string and assigns it to the AccountsReceivable field.

func (*Organization) SetCreated

func (o *Organization) SetCreated(v string)

SetCreated gets a reference to the given string and assigns it to the Created field.

func (*Organization) SetDisplayName

func (o *Organization) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*Organization) SetEntitlement

func (o *Organization) SetEntitlement(v Organizationentitlement)

SetEntitlement gets a reference to the given Organizationentitlement and assigns it to the Entitlement field.

func (*Organization) SetHasCreditCard

func (o *Organization) SetHasCreditCard(v bool)

SetHasCreditCard gets a reference to the given bool and assigns it to the HasCreditCard field.

func (*Organization) SetHasStripeCustomerId

func (o *Organization) SetHasStripeCustomerId(v bool)

SetHasStripeCustomerId gets a reference to the given bool and assigns it to the HasStripeCustomerId field.

func (*Organization) SetId

func (o *Organization) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Organization) SetLastEstimateCalculationTimeStamp

func (o *Organization) SetLastEstimateCalculationTimeStamp(v string)

SetLastEstimateCalculationTimeStamp gets a reference to the given string and assigns it to the LastEstimateCalculationTimeStamp field.

func (*Organization) SetLastSfdcSyncStatus

func (o *Organization) SetLastSfdcSyncStatus(v map[string]interface{})

SetLastSfdcSyncStatus gets a reference to the given map[string]interface{} and assigns it to the LastSfdcSyncStatus field.

func (*Organization) SetLogoUrl

func (o *Organization) SetLogoUrl(v string)

SetLogoUrl gets a reference to the given string and assigns it to the LogoUrl field.

func (*Organization) SetProvider

func (o *Organization) SetProvider(v string)

SetProvider gets a reference to the given string and assigns it to the Provider field.

func (*Organization) SetSettings

func (o *Organization) SetSettings(v Organizationsettings)

SetSettings gets a reference to the given Organizationsettings and assigns it to the Settings field.

func (*Organization) SetTotalBillingEstimate

func (o *Organization) SetTotalBillingEstimate(v int32)

SetTotalBillingEstimate gets a reference to the given int32 and assigns it to the TotalBillingEstimate field.

func (Organization) ToMap

func (o Organization) ToMap() (map[string]interface{}, error)

func (*Organization) UnmarshalJSON

func (o *Organization) UnmarshalJSON(bytes []byte) (err error)

type OrganizationPutRequest

type OrganizationPutRequest struct {
	Settings             *Organizationsettingsput `json:"settings,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationPutRequest struct for OrganizationPutRequest

func NewOrganizationPutRequest

func NewOrganizationPutRequest() *OrganizationPutRequest

NewOrganizationPutRequest instantiates a new OrganizationPutRequest object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationPutRequestWithDefaults

func NewOrganizationPutRequestWithDefaults() *OrganizationPutRequest

NewOrganizationPutRequestWithDefaults instantiates a new OrganizationPutRequest object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationPutRequest) GetSettings

GetSettings returns the Settings field value if set, zero value otherwise.

func (*OrganizationPutRequest) GetSettingsOk

func (o *OrganizationPutRequest) GetSettingsOk() (*Organizationsettingsput, bool)

GetSettingsOk returns a tuple with the Settings field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationPutRequest) HasSettings

func (o *OrganizationPutRequest) HasSettings() bool

HasSettings returns a boolean if a field has been set.

func (OrganizationPutRequest) MarshalJSON

func (o OrganizationPutRequest) MarshalJSON() ([]byte, error)

func (*OrganizationPutRequest) SetSettings

SetSettings gets a reference to the given Organizationsettingsput and assigns it to the Settings field.

func (OrganizationPutRequest) ToMap

func (o OrganizationPutRequest) ToMap() (map[string]interface{}, error)

func (*OrganizationPutRequest) UnmarshalJSON

func (o *OrganizationPutRequest) UnmarshalJSON(bytes []byte) (err error)

type Organizationentitlement

type Organizationentitlement struct {
	BillingModel         *string                                           `json:"billingModel,omitempty"`
	EntitlementProducts  []OrganizationentitlementEntitlementProductsInner `json:"entitlementProducts,omitempty"`
	IsManuallyBilled     *bool                                             `json:"isManuallyBilled,omitempty"`
	PricePerUserSum      *int32                                            `json:"pricePerUserSum,omitempty"`
	AdditionalProperties map[string]interface{}
}

Organizationentitlement

func NewOrganizationentitlement

func NewOrganizationentitlement() *Organizationentitlement

NewOrganizationentitlement instantiates a new Organizationentitlement object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationentitlementWithDefaults

func NewOrganizationentitlementWithDefaults() *Organizationentitlement

NewOrganizationentitlementWithDefaults instantiates a new Organizationentitlement object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Organizationentitlement) GetBillingModel

func (o *Organizationentitlement) GetBillingModel() string

GetBillingModel returns the BillingModel field value if set, zero value otherwise.

func (*Organizationentitlement) GetBillingModelOk

func (o *Organizationentitlement) GetBillingModelOk() (*string, bool)

GetBillingModelOk returns a tuple with the BillingModel field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationentitlement) GetEntitlementProducts

GetEntitlementProducts returns the EntitlementProducts field value if set, zero value otherwise.

func (*Organizationentitlement) GetEntitlementProductsOk

GetEntitlementProductsOk returns a tuple with the EntitlementProducts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationentitlement) GetIsManuallyBilled

func (o *Organizationentitlement) GetIsManuallyBilled() bool

GetIsManuallyBilled returns the IsManuallyBilled field value if set, zero value otherwise.

func (*Organizationentitlement) GetIsManuallyBilledOk

func (o *Organizationentitlement) GetIsManuallyBilledOk() (*bool, bool)

GetIsManuallyBilledOk returns a tuple with the IsManuallyBilled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationentitlement) GetPricePerUserSum

func (o *Organizationentitlement) GetPricePerUserSum() int32

GetPricePerUserSum returns the PricePerUserSum field value if set, zero value otherwise.

func (*Organizationentitlement) GetPricePerUserSumOk

func (o *Organizationentitlement) GetPricePerUserSumOk() (*int32, bool)

GetPricePerUserSumOk returns a tuple with the PricePerUserSum field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationentitlement) HasBillingModel

func (o *Organizationentitlement) HasBillingModel() bool

HasBillingModel returns a boolean if a field has been set.

func (*Organizationentitlement) HasEntitlementProducts

func (o *Organizationentitlement) HasEntitlementProducts() bool

HasEntitlementProducts returns a boolean if a field has been set.

func (*Organizationentitlement) HasIsManuallyBilled

func (o *Organizationentitlement) HasIsManuallyBilled() bool

HasIsManuallyBilled returns a boolean if a field has been set.

func (*Organizationentitlement) HasPricePerUserSum

func (o *Organizationentitlement) HasPricePerUserSum() bool

HasPricePerUserSum returns a boolean if a field has been set.

func (Organizationentitlement) MarshalJSON

func (o Organizationentitlement) MarshalJSON() ([]byte, error)

func (*Organizationentitlement) SetBillingModel

func (o *Organizationentitlement) SetBillingModel(v string)

SetBillingModel gets a reference to the given string and assigns it to the BillingModel field.

func (*Organizationentitlement) SetEntitlementProducts

SetEntitlementProducts gets a reference to the given []OrganizationentitlementEntitlementProductsInner and assigns it to the EntitlementProducts field.

func (*Organizationentitlement) SetIsManuallyBilled

func (o *Organizationentitlement) SetIsManuallyBilled(v bool)

SetIsManuallyBilled gets a reference to the given bool and assigns it to the IsManuallyBilled field.

func (*Organizationentitlement) SetPricePerUserSum

func (o *Organizationentitlement) SetPricePerUserSum(v int32)

SetPricePerUserSum gets a reference to the given int32 and assigns it to the PricePerUserSum field.

func (Organizationentitlement) ToMap

func (o Organizationentitlement) ToMap() (map[string]interface{}, error)

func (*Organizationentitlement) UnmarshalJSON

func (o *Organizationentitlement) UnmarshalJSON(bytes []byte) (err error)

type OrganizationentitlementEntitlementProductsInner

type OrganizationentitlementEntitlementProductsInner struct {
	CommittedUsers       *int32  `json:"committedUsers,omitempty"`
	ContractType         *string `json:"contractType,omitempty"`
	MaxUserCount         *int32  `json:"maxUserCount,omitempty"`
	Name                 *string `json:"name,omitempty"`
	PricePerUser         *int32  `json:"pricePerUser,omitempty"`
	ProductCategory      *string `json:"productCategory,omitempty"`
	ProductCode          *string `json:"productCode,omitempty"`
	UncommittedUsers     *int32  `json:"uncommittedUsers,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationentitlementEntitlementProductsInner struct for OrganizationentitlementEntitlementProductsInner

func NewOrganizationentitlementEntitlementProductsInner

func NewOrganizationentitlementEntitlementProductsInner() *OrganizationentitlementEntitlementProductsInner

NewOrganizationentitlementEntitlementProductsInner instantiates a new OrganizationentitlementEntitlementProductsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationentitlementEntitlementProductsInnerWithDefaults

func NewOrganizationentitlementEntitlementProductsInnerWithDefaults() *OrganizationentitlementEntitlementProductsInner

NewOrganizationentitlementEntitlementProductsInnerWithDefaults instantiates a new OrganizationentitlementEntitlementProductsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationentitlementEntitlementProductsInner) GetCommittedUsers

GetCommittedUsers returns the CommittedUsers field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetCommittedUsersOk

func (o *OrganizationentitlementEntitlementProductsInner) GetCommittedUsersOk() (*int32, bool)

GetCommittedUsersOk returns a tuple with the CommittedUsers field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetContractType

GetContractType returns the ContractType field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetContractTypeOk

func (o *OrganizationentitlementEntitlementProductsInner) GetContractTypeOk() (*string, bool)

GetContractTypeOk returns a tuple with the ContractType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetMaxUserCount

GetMaxUserCount returns the MaxUserCount field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetMaxUserCountOk

func (o *OrganizationentitlementEntitlementProductsInner) GetMaxUserCountOk() (*int32, bool)

GetMaxUserCountOk returns a tuple with the MaxUserCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetName

GetName returns the Name field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetNameOk

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetPricePerUser

GetPricePerUser returns the PricePerUser field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetPricePerUserOk

func (o *OrganizationentitlementEntitlementProductsInner) GetPricePerUserOk() (*int32, bool)

GetPricePerUserOk returns a tuple with the PricePerUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetProductCategory

GetProductCategory returns the ProductCategory field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetProductCategoryOk

func (o *OrganizationentitlementEntitlementProductsInner) GetProductCategoryOk() (*string, bool)

GetProductCategoryOk returns a tuple with the ProductCategory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetProductCode

GetProductCode returns the ProductCode field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetProductCodeOk

GetProductCodeOk returns a tuple with the ProductCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) GetUncommittedUsers

func (o *OrganizationentitlementEntitlementProductsInner) GetUncommittedUsers() int32

GetUncommittedUsers returns the UncommittedUsers field value if set, zero value otherwise.

func (*OrganizationentitlementEntitlementProductsInner) GetUncommittedUsersOk

func (o *OrganizationentitlementEntitlementProductsInner) GetUncommittedUsersOk() (*int32, bool)

GetUncommittedUsersOk returns a tuple with the UncommittedUsers field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasCommittedUsers

HasCommittedUsers returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasContractType

HasContractType returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasMaxUserCount

HasMaxUserCount returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasName

HasName returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasPricePerUser

HasPricePerUser returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasProductCategory

func (o *OrganizationentitlementEntitlementProductsInner) HasProductCategory() bool

HasProductCategory returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasProductCode

HasProductCode returns a boolean if a field has been set.

func (*OrganizationentitlementEntitlementProductsInner) HasUncommittedUsers

func (o *OrganizationentitlementEntitlementProductsInner) HasUncommittedUsers() bool

HasUncommittedUsers returns a boolean if a field has been set.

func (OrganizationentitlementEntitlementProductsInner) MarshalJSON

func (*OrganizationentitlementEntitlementProductsInner) SetCommittedUsers

SetCommittedUsers gets a reference to the given int32 and assigns it to the CommittedUsers field.

func (*OrganizationentitlementEntitlementProductsInner) SetContractType

SetContractType gets a reference to the given string and assigns it to the ContractType field.

func (*OrganizationentitlementEntitlementProductsInner) SetMaxUserCount

SetMaxUserCount gets a reference to the given int32 and assigns it to the MaxUserCount field.

func (*OrganizationentitlementEntitlementProductsInner) SetName

SetName gets a reference to the given string and assigns it to the Name field.

func (*OrganizationentitlementEntitlementProductsInner) SetPricePerUser

SetPricePerUser gets a reference to the given int32 and assigns it to the PricePerUser field.

func (*OrganizationentitlementEntitlementProductsInner) SetProductCategory

SetProductCategory gets a reference to the given string and assigns it to the ProductCategory field.

func (*OrganizationentitlementEntitlementProductsInner) SetProductCode

SetProductCode gets a reference to the given string and assigns it to the ProductCode field.

func (*OrganizationentitlementEntitlementProductsInner) SetUncommittedUsers

func (o *OrganizationentitlementEntitlementProductsInner) SetUncommittedUsers(v int32)

SetUncommittedUsers gets a reference to the given int32 and assigns it to the UncommittedUsers field.

func (OrganizationentitlementEntitlementProductsInner) ToMap

func (o OrganizationentitlementEntitlementProductsInner) ToMap() (map[string]interface{}, error)

func (*OrganizationentitlementEntitlementProductsInner) UnmarshalJSON

func (o *OrganizationentitlementEntitlementProductsInner) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsApiOrganizationListRequest

type OrganizationsApiOrganizationListRequest struct {
	ApiService *OrganizationsApiService
	// contains filtered or unexported fields
}

func (OrganizationsApiOrganizationListRequest) Execute

func (OrganizationsApiOrganizationListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (OrganizationsApiOrganizationListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (OrganizationsApiOrganizationListRequest) Limit

The number of records to return at once. Limited to 100.

func (OrganizationsApiOrganizationListRequest) Search

A nested object containing a `searchTerm` string or array of strings and a list of `fields` to search on.

func (OrganizationsApiOrganizationListRequest) Skip

The offset into the records to return.

func (OrganizationsApiOrganizationListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (OrganizationsApiOrganizationListRequest) SortIgnoreCase

Use space separated sort parameters to sort the collection, ignoring case. Default sort is ascending. Prefix with `-` to sort descending.

type OrganizationsApiOrganizationPutRequest

type OrganizationsApiOrganizationPutRequest struct {
	ApiService *OrganizationsApiService
	// contains filtered or unexported fields
}

func (OrganizationsApiOrganizationPutRequest) Body

func (OrganizationsApiOrganizationPutRequest) Execute

type OrganizationsApiOrganizationsGetRequest

type OrganizationsApiOrganizationsGetRequest struct {
	ApiService *OrganizationsApiService
	// contains filtered or unexported fields
}

func (OrganizationsApiOrganizationsGetRequest) Execute

func (OrganizationsApiOrganizationsGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (OrganizationsApiOrganizationsGetRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

type OrganizationsApiService

type OrganizationsApiService service

OrganizationsApiService OrganizationsApi service

func (*OrganizationsApiService) OrganizationList

OrganizationList Get Organization Details

This endpoint returns Organization Details.

#### Sample Request

```

curl -X GET \
  https://console.jumpcloud.com/api/organizations \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @return OrganizationsApiOrganizationListRequest

func (*OrganizationsApiService) OrganizationListExecute

Execute executes the request

@return Organizationslist

func (*OrganizationsApiService) OrganizationPut

OrganizationPut Update an Organization

This endpoint allows you to update an Organization.

Note: `passwordPolicy` settings are only used when `passwordCompliance` is set to "custom". We discourage the use of non-custom passwordCompliance values.

`hasStripeCustomerId` is deprecated and will be removed.

#### Sample Request

```

curl -X PUT https://console.jumpcloud.com/api/organizations/{OrganizationID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "settings": {
    "contactName": "Admin Name",
    "contactEmail": "admin@company.com",
    "systemUsersCanEdit":true,
    "passwordPolicy": {
      "enableMaxHistory": true,
      "maxHistory": 3
    }
  }
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return OrganizationsApiOrganizationPutRequest

func (*OrganizationsApiService) OrganizationPutExecute

Execute executes the request

@return Organization

func (*OrganizationsApiService) OrganizationsGet

OrganizationsGet Get an Organization

This endpoint returns a particular Organization.

#### Sample Request

```

curl -X GET https://console.jumpcloud.com/api/organizations/{OrganizationID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return OrganizationsApiOrganizationsGetRequest

func (*OrganizationsApiService) OrganizationsGetExecute

Execute executes the request

@return Organization

type Organizationsettings

type Organizationsettings struct {
	AgentVersion                 *string                       `json:"agentVersion,omitempty"`
	BetaFeatures                 map[string]interface{}        `json:"betaFeatures,omitempty"`
	ContactEmail                 *string                       `json:"contactEmail,omitempty"`
	ContactName                  *string                       `json:"contactName,omitempty"`
	DeviceIdentificationEnabled  *bool                         `json:"deviceIdentificationEnabled,omitempty"`
	DisableCommandRunner         *bool                         `json:"disableCommandRunner,omitempty"`
	DisableGoogleLogin           *bool                         `json:"disableGoogleLogin,omitempty"`
	DisableLdap                  *bool                         `json:"disableLdap,omitempty"`
	DisableUM                    *bool                         `json:"disableUM,omitempty"`
	DuplicateLDAPGroups          *bool                         `json:"duplicateLDAPGroups,omitempty"`
	EmailDisclaimer              *string                       `json:"emailDisclaimer,omitempty"`
	EnableGoogleApps             *bool                         `json:"enableGoogleApps,omitempty"`
	EnableManagedUID             *bool                         `json:"enableManagedUID,omitempty"`
	EnableO365                   *bool                         `json:"enableO365,omitempty"`
	EnableUserPortalAgentInstall *bool                         `json:"enableUserPortalAgentInstall,omitempty"`
	Features                     *OrganizationsettingsFeatures `json:"features,omitempty"`
	// Object containing Optimizely experimentIds and states corresponding to them
	GrowthData                         map[string]interface{}                          `json:"growthData,omitempty"`
	Name                               *string                                         `json:"name,omitempty"`
	NewSystemUserStateDefaults         *OrganizationsettingsNewSystemUserStateDefaults `json:"newSystemUserStateDefaults,omitempty"`
	PasswordCompliance                 *string                                         `json:"passwordCompliance,omitempty"`
	PasswordPolicy                     *OrganizationsettingsPasswordPolicy             `json:"passwordPolicy,omitempty"`
	PendingDelete                      *bool                                           `json:"pendingDelete,omitempty"`
	ShowIntro                          *bool                                           `json:"showIntro,omitempty"`
	SystemUserPasswordExpirationInDays *int32                                          `json:"systemUserPasswordExpirationInDays,omitempty"`
	SystemUsersCanEdit                 *bool                                           `json:"systemUsersCanEdit,omitempty"`
	SystemUsersCap                     *int32                                          `json:"systemUsersCap,omitempty"`
	TrustedAppConfig                   *TrustedappConfigGet                            `json:"trustedAppConfig,omitempty"`
	UserPortal                         *OrganizationsettingsUserPortal                 `json:"userPortal,omitempty"`
	WindowsMDM                         *OrganizationsettingsWindowsMDM                 `json:"windowsMDM,omitempty"`
	AdditionalProperties               map[string]interface{}
}

Organizationsettings

func NewOrganizationsettings

func NewOrganizationsettings() *Organizationsettings

NewOrganizationsettings instantiates a new Organizationsettings object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsWithDefaults

func NewOrganizationsettingsWithDefaults() *Organizationsettings

NewOrganizationsettingsWithDefaults instantiates a new Organizationsettings object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Organizationsettings) GetAgentVersion

func (o *Organizationsettings) GetAgentVersion() string

GetAgentVersion returns the AgentVersion field value if set, zero value otherwise.

func (*Organizationsettings) GetAgentVersionOk

func (o *Organizationsettings) GetAgentVersionOk() (*string, bool)

GetAgentVersionOk returns a tuple with the AgentVersion field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetBetaFeatures

func (o *Organizationsettings) GetBetaFeatures() map[string]interface{}

GetBetaFeatures returns the BetaFeatures field value if set, zero value otherwise.

func (*Organizationsettings) GetBetaFeaturesOk

func (o *Organizationsettings) GetBetaFeaturesOk() (map[string]interface{}, bool)

GetBetaFeaturesOk returns a tuple with the BetaFeatures field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetContactEmail

func (o *Organizationsettings) GetContactEmail() string

GetContactEmail returns the ContactEmail field value if set, zero value otherwise.

func (*Organizationsettings) GetContactEmailOk

func (o *Organizationsettings) GetContactEmailOk() (*string, bool)

GetContactEmailOk returns a tuple with the ContactEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetContactName

func (o *Organizationsettings) GetContactName() string

GetContactName returns the ContactName field value if set, zero value otherwise.

func (*Organizationsettings) GetContactNameOk

func (o *Organizationsettings) GetContactNameOk() (*string, bool)

GetContactNameOk returns a tuple with the ContactName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDeviceIdentificationEnabled

func (o *Organizationsettings) GetDeviceIdentificationEnabled() bool

GetDeviceIdentificationEnabled returns the DeviceIdentificationEnabled field value if set, zero value otherwise.

func (*Organizationsettings) GetDeviceIdentificationEnabledOk

func (o *Organizationsettings) GetDeviceIdentificationEnabledOk() (*bool, bool)

GetDeviceIdentificationEnabledOk returns a tuple with the DeviceIdentificationEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDisableCommandRunner

func (o *Organizationsettings) GetDisableCommandRunner() bool

GetDisableCommandRunner returns the DisableCommandRunner field value if set, zero value otherwise.

func (*Organizationsettings) GetDisableCommandRunnerOk

func (o *Organizationsettings) GetDisableCommandRunnerOk() (*bool, bool)

GetDisableCommandRunnerOk returns a tuple with the DisableCommandRunner field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDisableGoogleLogin

func (o *Organizationsettings) GetDisableGoogleLogin() bool

GetDisableGoogleLogin returns the DisableGoogleLogin field value if set, zero value otherwise.

func (*Organizationsettings) GetDisableGoogleLoginOk

func (o *Organizationsettings) GetDisableGoogleLoginOk() (*bool, bool)

GetDisableGoogleLoginOk returns a tuple with the DisableGoogleLogin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDisableLdap

func (o *Organizationsettings) GetDisableLdap() bool

GetDisableLdap returns the DisableLdap field value if set, zero value otherwise.

func (*Organizationsettings) GetDisableLdapOk

func (o *Organizationsettings) GetDisableLdapOk() (*bool, bool)

GetDisableLdapOk returns a tuple with the DisableLdap field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDisableUM

func (o *Organizationsettings) GetDisableUM() bool

GetDisableUM returns the DisableUM field value if set, zero value otherwise.

func (*Organizationsettings) GetDisableUMOk

func (o *Organizationsettings) GetDisableUMOk() (*bool, bool)

GetDisableUMOk returns a tuple with the DisableUM field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetDuplicateLDAPGroups

func (o *Organizationsettings) GetDuplicateLDAPGroups() bool

GetDuplicateLDAPGroups returns the DuplicateLDAPGroups field value if set, zero value otherwise.

func (*Organizationsettings) GetDuplicateLDAPGroupsOk

func (o *Organizationsettings) GetDuplicateLDAPGroupsOk() (*bool, bool)

GetDuplicateLDAPGroupsOk returns a tuple with the DuplicateLDAPGroups field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetEmailDisclaimer

func (o *Organizationsettings) GetEmailDisclaimer() string

GetEmailDisclaimer returns the EmailDisclaimer field value if set, zero value otherwise.

func (*Organizationsettings) GetEmailDisclaimerOk

func (o *Organizationsettings) GetEmailDisclaimerOk() (*string, bool)

GetEmailDisclaimerOk returns a tuple with the EmailDisclaimer field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetEnableGoogleApps

func (o *Organizationsettings) GetEnableGoogleApps() bool

GetEnableGoogleApps returns the EnableGoogleApps field value if set, zero value otherwise.

func (*Organizationsettings) GetEnableGoogleAppsOk

func (o *Organizationsettings) GetEnableGoogleAppsOk() (*bool, bool)

GetEnableGoogleAppsOk returns a tuple with the EnableGoogleApps field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetEnableManagedUID

func (o *Organizationsettings) GetEnableManagedUID() bool

GetEnableManagedUID returns the EnableManagedUID field value if set, zero value otherwise.

func (*Organizationsettings) GetEnableManagedUIDOk

func (o *Organizationsettings) GetEnableManagedUIDOk() (*bool, bool)

GetEnableManagedUIDOk returns a tuple with the EnableManagedUID field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetEnableO365

func (o *Organizationsettings) GetEnableO365() bool

GetEnableO365 returns the EnableO365 field value if set, zero value otherwise.

func (*Organizationsettings) GetEnableO365Ok

func (o *Organizationsettings) GetEnableO365Ok() (*bool, bool)

GetEnableO365Ok returns a tuple with the EnableO365 field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetEnableUserPortalAgentInstall

func (o *Organizationsettings) GetEnableUserPortalAgentInstall() bool

GetEnableUserPortalAgentInstall returns the EnableUserPortalAgentInstall field value if set, zero value otherwise.

func (*Organizationsettings) GetEnableUserPortalAgentInstallOk

func (o *Organizationsettings) GetEnableUserPortalAgentInstallOk() (*bool, bool)

GetEnableUserPortalAgentInstallOk returns a tuple with the EnableUserPortalAgentInstall field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetFeatures

GetFeatures returns the Features field value if set, zero value otherwise.

func (*Organizationsettings) GetFeaturesOk

GetFeaturesOk returns a tuple with the Features field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetGrowthData

func (o *Organizationsettings) GetGrowthData() map[string]interface{}

GetGrowthData returns the GrowthData field value if set, zero value otherwise.

func (*Organizationsettings) GetGrowthDataOk

func (o *Organizationsettings) GetGrowthDataOk() (map[string]interface{}, bool)

GetGrowthDataOk returns a tuple with the GrowthData field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *Organizationsettings) GetLogo() string

GetLogo returns the Logo field value if set, zero value otherwise.

func (*Organizationsettings) GetLogoOk

func (o *Organizationsettings) GetLogoOk() (*string, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetName

func (o *Organizationsettings) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Organizationsettings) GetNameOk

func (o *Organizationsettings) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetNewSystemUserStateDefaults

func (o *Organizationsettings) GetNewSystemUserStateDefaults() OrganizationsettingsNewSystemUserStateDefaults

GetNewSystemUserStateDefaults returns the NewSystemUserStateDefaults field value if set, zero value otherwise.

func (*Organizationsettings) GetNewSystemUserStateDefaultsOk

func (o *Organizationsettings) GetNewSystemUserStateDefaultsOk() (*OrganizationsettingsNewSystemUserStateDefaults, bool)

GetNewSystemUserStateDefaultsOk returns a tuple with the NewSystemUserStateDefaults field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetPasswordCompliance

func (o *Organizationsettings) GetPasswordCompliance() string

GetPasswordCompliance returns the PasswordCompliance field value if set, zero value otherwise.

func (*Organizationsettings) GetPasswordComplianceOk

func (o *Organizationsettings) GetPasswordComplianceOk() (*string, bool)

GetPasswordComplianceOk returns a tuple with the PasswordCompliance field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetPasswordPolicy

GetPasswordPolicy returns the PasswordPolicy field value if set, zero value otherwise.

func (*Organizationsettings) GetPasswordPolicyOk

func (o *Organizationsettings) GetPasswordPolicyOk() (*OrganizationsettingsPasswordPolicy, bool)

GetPasswordPolicyOk returns a tuple with the PasswordPolicy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetPendingDelete

func (o *Organizationsettings) GetPendingDelete() bool

GetPendingDelete returns the PendingDelete field value if set, zero value otherwise.

func (*Organizationsettings) GetPendingDeleteOk

func (o *Organizationsettings) GetPendingDeleteOk() (*bool, bool)

GetPendingDeleteOk returns a tuple with the PendingDelete field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetShowIntro

func (o *Organizationsettings) GetShowIntro() bool

GetShowIntro returns the ShowIntro field value if set, zero value otherwise.

func (*Organizationsettings) GetShowIntroOk

func (o *Organizationsettings) GetShowIntroOk() (*bool, bool)

GetShowIntroOk returns a tuple with the ShowIntro field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetSystemUserPasswordExpirationInDays

func (o *Organizationsettings) GetSystemUserPasswordExpirationInDays() int32

GetSystemUserPasswordExpirationInDays returns the SystemUserPasswordExpirationInDays field value if set, zero value otherwise.

func (*Organizationsettings) GetSystemUserPasswordExpirationInDaysOk

func (o *Organizationsettings) GetSystemUserPasswordExpirationInDaysOk() (*int32, bool)

GetSystemUserPasswordExpirationInDaysOk returns a tuple with the SystemUserPasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetSystemUsersCanEdit

func (o *Organizationsettings) GetSystemUsersCanEdit() bool

GetSystemUsersCanEdit returns the SystemUsersCanEdit field value if set, zero value otherwise.

func (*Organizationsettings) GetSystemUsersCanEditOk

func (o *Organizationsettings) GetSystemUsersCanEditOk() (*bool, bool)

GetSystemUsersCanEditOk returns a tuple with the SystemUsersCanEdit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetSystemUsersCap

func (o *Organizationsettings) GetSystemUsersCap() int32

GetSystemUsersCap returns the SystemUsersCap field value if set, zero value otherwise.

func (*Organizationsettings) GetSystemUsersCapOk

func (o *Organizationsettings) GetSystemUsersCapOk() (*int32, bool)

GetSystemUsersCapOk returns a tuple with the SystemUsersCap field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetTrustedAppConfig

func (o *Organizationsettings) GetTrustedAppConfig() TrustedappConfigGet

GetTrustedAppConfig returns the TrustedAppConfig field value if set, zero value otherwise.

func (*Organizationsettings) GetTrustedAppConfigOk

func (o *Organizationsettings) GetTrustedAppConfigOk() (*TrustedappConfigGet, bool)

GetTrustedAppConfigOk returns a tuple with the TrustedAppConfig field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetUserPortal

GetUserPortal returns the UserPortal field value if set, zero value otherwise.

func (*Organizationsettings) GetUserPortalOk

func (o *Organizationsettings) GetUserPortalOk() (*OrganizationsettingsUserPortal, bool)

GetUserPortalOk returns a tuple with the UserPortal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) GetWindowsMDM

GetWindowsMDM returns the WindowsMDM field value if set, zero value otherwise.

func (*Organizationsettings) GetWindowsMDMOk

func (o *Organizationsettings) GetWindowsMDMOk() (*OrganizationsettingsWindowsMDM, bool)

GetWindowsMDMOk returns a tuple with the WindowsMDM field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettings) HasAgentVersion

func (o *Organizationsettings) HasAgentVersion() bool

HasAgentVersion returns a boolean if a field has been set.

func (*Organizationsettings) HasBetaFeatures

func (o *Organizationsettings) HasBetaFeatures() bool

HasBetaFeatures returns a boolean if a field has been set.

func (*Organizationsettings) HasContactEmail

func (o *Organizationsettings) HasContactEmail() bool

HasContactEmail returns a boolean if a field has been set.

func (*Organizationsettings) HasContactName

func (o *Organizationsettings) HasContactName() bool

HasContactName returns a boolean if a field has been set.

func (*Organizationsettings) HasDeviceIdentificationEnabled

func (o *Organizationsettings) HasDeviceIdentificationEnabled() bool

HasDeviceIdentificationEnabled returns a boolean if a field has been set.

func (*Organizationsettings) HasDisableCommandRunner

func (o *Organizationsettings) HasDisableCommandRunner() bool

HasDisableCommandRunner returns a boolean if a field has been set.

func (*Organizationsettings) HasDisableGoogleLogin

func (o *Organizationsettings) HasDisableGoogleLogin() bool

HasDisableGoogleLogin returns a boolean if a field has been set.

func (*Organizationsettings) HasDisableLdap

func (o *Organizationsettings) HasDisableLdap() bool

HasDisableLdap returns a boolean if a field has been set.

func (*Organizationsettings) HasDisableUM

func (o *Organizationsettings) HasDisableUM() bool

HasDisableUM returns a boolean if a field has been set.

func (*Organizationsettings) HasDuplicateLDAPGroups

func (o *Organizationsettings) HasDuplicateLDAPGroups() bool

HasDuplicateLDAPGroups returns a boolean if a field has been set.

func (*Organizationsettings) HasEmailDisclaimer

func (o *Organizationsettings) HasEmailDisclaimer() bool

HasEmailDisclaimer returns a boolean if a field has been set.

func (*Organizationsettings) HasEnableGoogleApps

func (o *Organizationsettings) HasEnableGoogleApps() bool

HasEnableGoogleApps returns a boolean if a field has been set.

func (*Organizationsettings) HasEnableManagedUID

func (o *Organizationsettings) HasEnableManagedUID() bool

HasEnableManagedUID returns a boolean if a field has been set.

func (*Organizationsettings) HasEnableO365

func (o *Organizationsettings) HasEnableO365() bool

HasEnableO365 returns a boolean if a field has been set.

func (*Organizationsettings) HasEnableUserPortalAgentInstall

func (o *Organizationsettings) HasEnableUserPortalAgentInstall() bool

HasEnableUserPortalAgentInstall returns a boolean if a field has been set.

func (*Organizationsettings) HasFeatures

func (o *Organizationsettings) HasFeatures() bool

HasFeatures returns a boolean if a field has been set.

func (*Organizationsettings) HasGrowthData

func (o *Organizationsettings) HasGrowthData() bool

HasGrowthData returns a boolean if a field has been set.

func (o *Organizationsettings) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*Organizationsettings) HasName

func (o *Organizationsettings) HasName() bool

HasName returns a boolean if a field has been set.

func (*Organizationsettings) HasNewSystemUserStateDefaults

func (o *Organizationsettings) HasNewSystemUserStateDefaults() bool

HasNewSystemUserStateDefaults returns a boolean if a field has been set.

func (*Organizationsettings) HasPasswordCompliance

func (o *Organizationsettings) HasPasswordCompliance() bool

HasPasswordCompliance returns a boolean if a field has been set.

func (*Organizationsettings) HasPasswordPolicy

func (o *Organizationsettings) HasPasswordPolicy() bool

HasPasswordPolicy returns a boolean if a field has been set.

func (*Organizationsettings) HasPendingDelete

func (o *Organizationsettings) HasPendingDelete() bool

HasPendingDelete returns a boolean if a field has been set.

func (*Organizationsettings) HasShowIntro

func (o *Organizationsettings) HasShowIntro() bool

HasShowIntro returns a boolean if a field has been set.

func (*Organizationsettings) HasSystemUserPasswordExpirationInDays

func (o *Organizationsettings) HasSystemUserPasswordExpirationInDays() bool

HasSystemUserPasswordExpirationInDays returns a boolean if a field has been set.

func (*Organizationsettings) HasSystemUsersCanEdit

func (o *Organizationsettings) HasSystemUsersCanEdit() bool

HasSystemUsersCanEdit returns a boolean if a field has been set.

func (*Organizationsettings) HasSystemUsersCap

func (o *Organizationsettings) HasSystemUsersCap() bool

HasSystemUsersCap returns a boolean if a field has been set.

func (*Organizationsettings) HasTrustedAppConfig

func (o *Organizationsettings) HasTrustedAppConfig() bool

HasTrustedAppConfig returns a boolean if a field has been set.

func (*Organizationsettings) HasUserPortal

func (o *Organizationsettings) HasUserPortal() bool

HasUserPortal returns a boolean if a field has been set.

func (*Organizationsettings) HasWindowsMDM

func (o *Organizationsettings) HasWindowsMDM() bool

HasWindowsMDM returns a boolean if a field has been set.

func (Organizationsettings) MarshalJSON

func (o Organizationsettings) MarshalJSON() ([]byte, error)

func (*Organizationsettings) SetAgentVersion

func (o *Organizationsettings) SetAgentVersion(v string)

SetAgentVersion gets a reference to the given string and assigns it to the AgentVersion field.

func (*Organizationsettings) SetBetaFeatures

func (o *Organizationsettings) SetBetaFeatures(v map[string]interface{})

SetBetaFeatures gets a reference to the given map[string]interface{} and assigns it to the BetaFeatures field.

func (*Organizationsettings) SetContactEmail

func (o *Organizationsettings) SetContactEmail(v string)

SetContactEmail gets a reference to the given string and assigns it to the ContactEmail field.

func (*Organizationsettings) SetContactName

func (o *Organizationsettings) SetContactName(v string)

SetContactName gets a reference to the given string and assigns it to the ContactName field.

func (*Organizationsettings) SetDeviceIdentificationEnabled

func (o *Organizationsettings) SetDeviceIdentificationEnabled(v bool)

SetDeviceIdentificationEnabled gets a reference to the given bool and assigns it to the DeviceIdentificationEnabled field.

func (*Organizationsettings) SetDisableCommandRunner

func (o *Organizationsettings) SetDisableCommandRunner(v bool)

SetDisableCommandRunner gets a reference to the given bool and assigns it to the DisableCommandRunner field.

func (*Organizationsettings) SetDisableGoogleLogin

func (o *Organizationsettings) SetDisableGoogleLogin(v bool)

SetDisableGoogleLogin gets a reference to the given bool and assigns it to the DisableGoogleLogin field.

func (*Organizationsettings) SetDisableLdap

func (o *Organizationsettings) SetDisableLdap(v bool)

SetDisableLdap gets a reference to the given bool and assigns it to the DisableLdap field.

func (*Organizationsettings) SetDisableUM

func (o *Organizationsettings) SetDisableUM(v bool)

SetDisableUM gets a reference to the given bool and assigns it to the DisableUM field.

func (*Organizationsettings) SetDuplicateLDAPGroups

func (o *Organizationsettings) SetDuplicateLDAPGroups(v bool)

SetDuplicateLDAPGroups gets a reference to the given bool and assigns it to the DuplicateLDAPGroups field.

func (*Organizationsettings) SetEmailDisclaimer

func (o *Organizationsettings) SetEmailDisclaimer(v string)

SetEmailDisclaimer gets a reference to the given string and assigns it to the EmailDisclaimer field.

func (*Organizationsettings) SetEnableGoogleApps

func (o *Organizationsettings) SetEnableGoogleApps(v bool)

SetEnableGoogleApps gets a reference to the given bool and assigns it to the EnableGoogleApps field.

func (*Organizationsettings) SetEnableManagedUID

func (o *Organizationsettings) SetEnableManagedUID(v bool)

SetEnableManagedUID gets a reference to the given bool and assigns it to the EnableManagedUID field.

func (*Organizationsettings) SetEnableO365

func (o *Organizationsettings) SetEnableO365(v bool)

SetEnableO365 gets a reference to the given bool and assigns it to the EnableO365 field.

func (*Organizationsettings) SetEnableUserPortalAgentInstall

func (o *Organizationsettings) SetEnableUserPortalAgentInstall(v bool)

SetEnableUserPortalAgentInstall gets a reference to the given bool and assigns it to the EnableUserPortalAgentInstall field.

func (*Organizationsettings) SetFeatures

SetFeatures gets a reference to the given OrganizationsettingsFeatures and assigns it to the Features field.

func (*Organizationsettings) SetGrowthData

func (o *Organizationsettings) SetGrowthData(v map[string]interface{})

SetGrowthData gets a reference to the given map[string]interface{} and assigns it to the GrowthData field.

func (o *Organizationsettings) SetLogo(v string)

SetLogo gets a reference to the given string and assigns it to the Logo field.

func (*Organizationsettings) SetName

func (o *Organizationsettings) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Organizationsettings) SetNewSystemUserStateDefaults

func (o *Organizationsettings) SetNewSystemUserStateDefaults(v OrganizationsettingsNewSystemUserStateDefaults)

SetNewSystemUserStateDefaults gets a reference to the given OrganizationsettingsNewSystemUserStateDefaults and assigns it to the NewSystemUserStateDefaults field.

func (*Organizationsettings) SetPasswordCompliance

func (o *Organizationsettings) SetPasswordCompliance(v string)

SetPasswordCompliance gets a reference to the given string and assigns it to the PasswordCompliance field.

func (*Organizationsettings) SetPasswordPolicy

SetPasswordPolicy gets a reference to the given OrganizationsettingsPasswordPolicy and assigns it to the PasswordPolicy field.

func (*Organizationsettings) SetPendingDelete

func (o *Organizationsettings) SetPendingDelete(v bool)

SetPendingDelete gets a reference to the given bool and assigns it to the PendingDelete field.

func (*Organizationsettings) SetShowIntro

func (o *Organizationsettings) SetShowIntro(v bool)

SetShowIntro gets a reference to the given bool and assigns it to the ShowIntro field.

func (*Organizationsettings) SetSystemUserPasswordExpirationInDays

func (o *Organizationsettings) SetSystemUserPasswordExpirationInDays(v int32)

SetSystemUserPasswordExpirationInDays gets a reference to the given int32 and assigns it to the SystemUserPasswordExpirationInDays field.

func (*Organizationsettings) SetSystemUsersCanEdit

func (o *Organizationsettings) SetSystemUsersCanEdit(v bool)

SetSystemUsersCanEdit gets a reference to the given bool and assigns it to the SystemUsersCanEdit field.

func (*Organizationsettings) SetSystemUsersCap

func (o *Organizationsettings) SetSystemUsersCap(v int32)

SetSystemUsersCap gets a reference to the given int32 and assigns it to the SystemUsersCap field.

func (*Organizationsettings) SetTrustedAppConfig

func (o *Organizationsettings) SetTrustedAppConfig(v TrustedappConfigGet)

SetTrustedAppConfig gets a reference to the given TrustedappConfigGet and assigns it to the TrustedAppConfig field.

func (*Organizationsettings) SetUserPortal

SetUserPortal gets a reference to the given OrganizationsettingsUserPortal and assigns it to the UserPortal field.

func (*Organizationsettings) SetWindowsMDM

SetWindowsMDM gets a reference to the given OrganizationsettingsWindowsMDM and assigns it to the WindowsMDM field.

func (Organizationsettings) ToMap

func (o Organizationsettings) ToMap() (map[string]interface{}, error)

func (*Organizationsettings) UnmarshalJSON

func (o *Organizationsettings) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsFeatures

type OrganizationsettingsFeatures struct {
	DirectoryInsights        *OrganizationsettingsFeaturesDirectoryInsights        `json:"directoryInsights,omitempty"`
	DirectoryInsightsPremium *OrganizationsettingsFeaturesDirectoryInsightsPremium `json:"directoryInsightsPremium,omitempty"`
	SystemInsights           *OrganizationsettingsFeaturesSystemInsights           `json:"systemInsights,omitempty"`
	AdditionalProperties     map[string]interface{}
}

OrganizationsettingsFeatures struct for OrganizationsettingsFeatures

func NewOrganizationsettingsFeatures

func NewOrganizationsettingsFeatures() *OrganizationsettingsFeatures

NewOrganizationsettingsFeatures instantiates a new OrganizationsettingsFeatures object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsFeaturesWithDefaults

func NewOrganizationsettingsFeaturesWithDefaults() *OrganizationsettingsFeatures

NewOrganizationsettingsFeaturesWithDefaults instantiates a new OrganizationsettingsFeatures object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsFeatures) GetDirectoryInsights

GetDirectoryInsights returns the DirectoryInsights field value if set, zero value otherwise.

func (*OrganizationsettingsFeatures) GetDirectoryInsightsOk

GetDirectoryInsightsOk returns a tuple with the DirectoryInsights field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeatures) GetDirectoryInsightsPremium

GetDirectoryInsightsPremium returns the DirectoryInsightsPremium field value if set, zero value otherwise.

func (*OrganizationsettingsFeatures) GetDirectoryInsightsPremiumOk

GetDirectoryInsightsPremiumOk returns a tuple with the DirectoryInsightsPremium field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeatures) GetSystemInsights

GetSystemInsights returns the SystemInsights field value if set, zero value otherwise.

func (*OrganizationsettingsFeatures) GetSystemInsightsOk

GetSystemInsightsOk returns a tuple with the SystemInsights field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeatures) HasDirectoryInsights

func (o *OrganizationsettingsFeatures) HasDirectoryInsights() bool

HasDirectoryInsights returns a boolean if a field has been set.

func (*OrganizationsettingsFeatures) HasDirectoryInsightsPremium

func (o *OrganizationsettingsFeatures) HasDirectoryInsightsPremium() bool

HasDirectoryInsightsPremium returns a boolean if a field has been set.

func (*OrganizationsettingsFeatures) HasSystemInsights

func (o *OrganizationsettingsFeatures) HasSystemInsights() bool

HasSystemInsights returns a boolean if a field has been set.

func (OrganizationsettingsFeatures) MarshalJSON

func (o OrganizationsettingsFeatures) MarshalJSON() ([]byte, error)

func (*OrganizationsettingsFeatures) SetDirectoryInsights

SetDirectoryInsights gets a reference to the given OrganizationsettingsFeaturesDirectoryInsights and assigns it to the DirectoryInsights field.

func (*OrganizationsettingsFeatures) SetDirectoryInsightsPremium

SetDirectoryInsightsPremium gets a reference to the given OrganizationsettingsFeaturesDirectoryInsightsPremium and assigns it to the DirectoryInsightsPremium field.

func (*OrganizationsettingsFeatures) SetSystemInsights

SetSystemInsights gets a reference to the given OrganizationsettingsFeaturesSystemInsights and assigns it to the SystemInsights field.

func (OrganizationsettingsFeatures) ToMap

func (o OrganizationsettingsFeatures) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsFeatures) UnmarshalJSON

func (o *OrganizationsettingsFeatures) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsFeaturesDirectoryInsights

type OrganizationsettingsFeaturesDirectoryInsights struct {
	Enabled              *bool `json:"enabled,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsFeaturesDirectoryInsights struct for OrganizationsettingsFeaturesDirectoryInsights

func NewOrganizationsettingsFeaturesDirectoryInsights

func NewOrganizationsettingsFeaturesDirectoryInsights() *OrganizationsettingsFeaturesDirectoryInsights

NewOrganizationsettingsFeaturesDirectoryInsights instantiates a new OrganizationsettingsFeaturesDirectoryInsights object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsFeaturesDirectoryInsightsWithDefaults

func NewOrganizationsettingsFeaturesDirectoryInsightsWithDefaults() *OrganizationsettingsFeaturesDirectoryInsights

NewOrganizationsettingsFeaturesDirectoryInsightsWithDefaults instantiates a new OrganizationsettingsFeaturesDirectoryInsights object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsFeaturesDirectoryInsights) GetEnabled

GetEnabled returns the Enabled field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesDirectoryInsights) GetEnabledOk

GetEnabledOk returns a tuple with the Enabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesDirectoryInsights) HasEnabled

HasEnabled returns a boolean if a field has been set.

func (OrganizationsettingsFeaturesDirectoryInsights) MarshalJSON

func (*OrganizationsettingsFeaturesDirectoryInsights) SetEnabled

SetEnabled gets a reference to the given bool and assigns it to the Enabled field.

func (OrganizationsettingsFeaturesDirectoryInsights) ToMap

func (o OrganizationsettingsFeaturesDirectoryInsights) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsFeaturesDirectoryInsights) UnmarshalJSON

func (o *OrganizationsettingsFeaturesDirectoryInsights) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsFeaturesDirectoryInsightsPremium

type OrganizationsettingsFeaturesDirectoryInsightsPremium struct {
	CreatedAt            *string `json:"createdAt,omitempty"`
	Enabled              *bool   `json:"enabled,omitempty"`
	UpdatedAt            *string `json:"updatedAt,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsFeaturesDirectoryInsightsPremium struct for OrganizationsettingsFeaturesDirectoryInsightsPremium

func NewOrganizationsettingsFeaturesDirectoryInsightsPremium

func NewOrganizationsettingsFeaturesDirectoryInsightsPremium() *OrganizationsettingsFeaturesDirectoryInsightsPremium

NewOrganizationsettingsFeaturesDirectoryInsightsPremium instantiates a new OrganizationsettingsFeaturesDirectoryInsightsPremium object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsFeaturesDirectoryInsightsPremiumWithDefaults

func NewOrganizationsettingsFeaturesDirectoryInsightsPremiumWithDefaults() *OrganizationsettingsFeaturesDirectoryInsightsPremium

NewOrganizationsettingsFeaturesDirectoryInsightsPremiumWithDefaults instantiates a new OrganizationsettingsFeaturesDirectoryInsightsPremium object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetCreatedAt

GetCreatedAt returns the CreatedAt field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetCreatedAtOk

GetCreatedAtOk returns a tuple with the CreatedAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetEnabled

GetEnabled returns the Enabled field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetEnabledOk

GetEnabledOk returns a tuple with the Enabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetUpdatedAt

GetUpdatedAt returns the UpdatedAt field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) GetUpdatedAtOk

GetUpdatedAtOk returns a tuple with the UpdatedAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) HasCreatedAt

HasCreatedAt returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) HasEnabled

HasEnabled returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) HasUpdatedAt

HasUpdatedAt returns a boolean if a field has been set.

func (OrganizationsettingsFeaturesDirectoryInsightsPremium) MarshalJSON

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) SetCreatedAt

SetCreatedAt gets a reference to the given string and assigns it to the CreatedAt field.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) SetEnabled

SetEnabled gets a reference to the given bool and assigns it to the Enabled field.

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) SetUpdatedAt

SetUpdatedAt gets a reference to the given string and assigns it to the UpdatedAt field.

func (OrganizationsettingsFeaturesDirectoryInsightsPremium) ToMap

func (*OrganizationsettingsFeaturesDirectoryInsightsPremium) UnmarshalJSON

func (o *OrganizationsettingsFeaturesDirectoryInsightsPremium) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsFeaturesSystemInsights

type OrganizationsettingsFeaturesSystemInsights struct {
	CreatedAt            *string `json:"createdAt,omitempty"`
	EnableNewDarwin      *bool   `json:"enableNewDarwin,omitempty"`
	EnableNewLinux       *bool   `json:"enableNewLinux,omitempty"`
	EnableNewWindows     *bool   `json:"enableNewWindows,omitempty"`
	Enabled              *bool   `json:"enabled,omitempty"`
	UpdatedAt            *string `json:"updatedAt,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsFeaturesSystemInsights struct for OrganizationsettingsFeaturesSystemInsights

func NewOrganizationsettingsFeaturesSystemInsights

func NewOrganizationsettingsFeaturesSystemInsights() *OrganizationsettingsFeaturesSystemInsights

NewOrganizationsettingsFeaturesSystemInsights instantiates a new OrganizationsettingsFeaturesSystemInsights object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsFeaturesSystemInsightsWithDefaults

func NewOrganizationsettingsFeaturesSystemInsightsWithDefaults() *OrganizationsettingsFeaturesSystemInsights

NewOrganizationsettingsFeaturesSystemInsightsWithDefaults instantiates a new OrganizationsettingsFeaturesSystemInsights object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsFeaturesSystemInsights) GetCreatedAt

GetCreatedAt returns the CreatedAt field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetCreatedAtOk

func (o *OrganizationsettingsFeaturesSystemInsights) GetCreatedAtOk() (*string, bool)

GetCreatedAtOk returns a tuple with the CreatedAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewDarwin

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewDarwin() bool

GetEnableNewDarwin returns the EnableNewDarwin field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewDarwinOk

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewDarwinOk() (*bool, bool)

GetEnableNewDarwinOk returns a tuple with the EnableNewDarwin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewLinux

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewLinux() bool

GetEnableNewLinux returns the EnableNewLinux field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewLinuxOk

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewLinuxOk() (*bool, bool)

GetEnableNewLinuxOk returns a tuple with the EnableNewLinux field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewWindows

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewWindows() bool

GetEnableNewWindows returns the EnableNewWindows field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnableNewWindowsOk

func (o *OrganizationsettingsFeaturesSystemInsights) GetEnableNewWindowsOk() (*bool, bool)

GetEnableNewWindowsOk returns a tuple with the EnableNewWindows field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnabled

GetEnabled returns the Enabled field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetEnabledOk

GetEnabledOk returns a tuple with the Enabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) GetUpdatedAt

GetUpdatedAt returns the UpdatedAt field value if set, zero value otherwise.

func (*OrganizationsettingsFeaturesSystemInsights) GetUpdatedAtOk

func (o *OrganizationsettingsFeaturesSystemInsights) GetUpdatedAtOk() (*string, bool)

GetUpdatedAtOk returns a tuple with the UpdatedAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasCreatedAt

HasCreatedAt returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasEnableNewDarwin

func (o *OrganizationsettingsFeaturesSystemInsights) HasEnableNewDarwin() bool

HasEnableNewDarwin returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasEnableNewLinux

func (o *OrganizationsettingsFeaturesSystemInsights) HasEnableNewLinux() bool

HasEnableNewLinux returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasEnableNewWindows

func (o *OrganizationsettingsFeaturesSystemInsights) HasEnableNewWindows() bool

HasEnableNewWindows returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasEnabled

HasEnabled returns a boolean if a field has been set.

func (*OrganizationsettingsFeaturesSystemInsights) HasUpdatedAt

HasUpdatedAt returns a boolean if a field has been set.

func (OrganizationsettingsFeaturesSystemInsights) MarshalJSON

func (*OrganizationsettingsFeaturesSystemInsights) SetCreatedAt

SetCreatedAt gets a reference to the given string and assigns it to the CreatedAt field.

func (*OrganizationsettingsFeaturesSystemInsights) SetEnableNewDarwin

func (o *OrganizationsettingsFeaturesSystemInsights) SetEnableNewDarwin(v bool)

SetEnableNewDarwin gets a reference to the given bool and assigns it to the EnableNewDarwin field.

func (*OrganizationsettingsFeaturesSystemInsights) SetEnableNewLinux

func (o *OrganizationsettingsFeaturesSystemInsights) SetEnableNewLinux(v bool)

SetEnableNewLinux gets a reference to the given bool and assigns it to the EnableNewLinux field.

func (*OrganizationsettingsFeaturesSystemInsights) SetEnableNewWindows

func (o *OrganizationsettingsFeaturesSystemInsights) SetEnableNewWindows(v bool)

SetEnableNewWindows gets a reference to the given bool and assigns it to the EnableNewWindows field.

func (*OrganizationsettingsFeaturesSystemInsights) SetEnabled

SetEnabled gets a reference to the given bool and assigns it to the Enabled field.

func (*OrganizationsettingsFeaturesSystemInsights) SetUpdatedAt

SetUpdatedAt gets a reference to the given string and assigns it to the UpdatedAt field.

func (OrganizationsettingsFeaturesSystemInsights) ToMap

func (o OrganizationsettingsFeaturesSystemInsights) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsFeaturesSystemInsights) UnmarshalJSON

func (o *OrganizationsettingsFeaturesSystemInsights) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsNewSystemUserStateDefaults

type OrganizationsettingsNewSystemUserStateDefaults struct {
	// The default user state for a user created using the [Bulk Users Create](https://docs.jumpcloud.com/api/2.0/index.html#operation/bulk_usersCreate) endpoint. See endpoint documentation for more details.
	ApplicationImport *string `json:"applicationImport,omitempty"`
	// The default user state for a user created using the [Bulk Users Create](https://docs.jumpcloud.com/api/2.0/index.html#operation/bulk_usersCreate) endpoint. See endpoint documentation for more details.
	CsvImport *string `json:"csvImport,omitempty"`
	// The default state for a user that is created using the [Create a system user](https://docs.jumpcloud.com/api/1.0/index.html#operation/systemusers_post) endpoint. See endpoint documentation for more details.
	ManualEntry          *string `json:"manualEntry,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsNewSystemUserStateDefaults struct for OrganizationsettingsNewSystemUserStateDefaults

func NewOrganizationsettingsNewSystemUserStateDefaults

func NewOrganizationsettingsNewSystemUserStateDefaults() *OrganizationsettingsNewSystemUserStateDefaults

NewOrganizationsettingsNewSystemUserStateDefaults instantiates a new OrganizationsettingsNewSystemUserStateDefaults object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsNewSystemUserStateDefaultsWithDefaults

func NewOrganizationsettingsNewSystemUserStateDefaultsWithDefaults() *OrganizationsettingsNewSystemUserStateDefaults

NewOrganizationsettingsNewSystemUserStateDefaultsWithDefaults instantiates a new OrganizationsettingsNewSystemUserStateDefaults object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsNewSystemUserStateDefaults) GetApplicationImport

func (o *OrganizationsettingsNewSystemUserStateDefaults) GetApplicationImport() string

GetApplicationImport returns the ApplicationImport field value if set, zero value otherwise.

func (*OrganizationsettingsNewSystemUserStateDefaults) GetApplicationImportOk

func (o *OrganizationsettingsNewSystemUserStateDefaults) GetApplicationImportOk() (*string, bool)

GetApplicationImportOk returns a tuple with the ApplicationImport field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsNewSystemUserStateDefaults) GetCsvImport

GetCsvImport returns the CsvImport field value if set, zero value otherwise.

func (*OrganizationsettingsNewSystemUserStateDefaults) GetCsvImportOk

GetCsvImportOk returns a tuple with the CsvImport field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsNewSystemUserStateDefaults) GetManualEntry

GetManualEntry returns the ManualEntry field value if set, zero value otherwise.

func (*OrganizationsettingsNewSystemUserStateDefaults) GetManualEntryOk

GetManualEntryOk returns a tuple with the ManualEntry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsNewSystemUserStateDefaults) HasApplicationImport

func (o *OrganizationsettingsNewSystemUserStateDefaults) HasApplicationImport() bool

HasApplicationImport returns a boolean if a field has been set.

func (*OrganizationsettingsNewSystemUserStateDefaults) HasCsvImport

HasCsvImport returns a boolean if a field has been set.

func (*OrganizationsettingsNewSystemUserStateDefaults) HasManualEntry

HasManualEntry returns a boolean if a field has been set.

func (OrganizationsettingsNewSystemUserStateDefaults) MarshalJSON

func (*OrganizationsettingsNewSystemUserStateDefaults) SetApplicationImport

func (o *OrganizationsettingsNewSystemUserStateDefaults) SetApplicationImport(v string)

SetApplicationImport gets a reference to the given string and assigns it to the ApplicationImport field.

func (*OrganizationsettingsNewSystemUserStateDefaults) SetCsvImport

SetCsvImport gets a reference to the given string and assigns it to the CsvImport field.

func (*OrganizationsettingsNewSystemUserStateDefaults) SetManualEntry

SetManualEntry gets a reference to the given string and assigns it to the ManualEntry field.

func (OrganizationsettingsNewSystemUserStateDefaults) ToMap

func (o OrganizationsettingsNewSystemUserStateDefaults) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsNewSystemUserStateDefaults) UnmarshalJSON

func (o *OrganizationsettingsNewSystemUserStateDefaults) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsPasswordPolicy

type OrganizationsettingsPasswordPolicy struct {
	AllowUsernameSubstring *bool `json:"allowUsernameSubstring,omitempty"`
	// Deprecated field used for the legacy grace period feature.
	DaysAfterExpirationToSelfRecover       *int32  `json:"daysAfterExpirationToSelfRecover,omitempty"`
	DaysBeforeExpirationToForceReset       *int32  `json:"daysBeforeExpirationToForceReset,omitempty"`
	EffectiveDate                          *string `json:"effectiveDate,omitempty"`
	EnableDaysAfterExpirationToSelfRecover *bool   `json:"enableDaysAfterExpirationToSelfRecover,omitempty"`
	EnableDaysBeforeExpirationToForceReset *bool   `json:"enableDaysBeforeExpirationToForceReset,omitempty"`
	EnableLockoutTimeInSeconds             *bool   `json:"enableLockoutTimeInSeconds,omitempty"`
	EnableMaxHistory                       *bool   `json:"enableMaxHistory,omitempty"`
	EnableMaxLoginAttempts                 *bool   `json:"enableMaxLoginAttempts,omitempty"`
	EnableMinChangePeriodInDays            *bool   `json:"enableMinChangePeriodInDays,omitempty"`
	EnableMinLength                        *bool   `json:"enableMinLength,omitempty"`
	EnablePasswordExpirationInDays         *bool   `json:"enablePasswordExpirationInDays,omitempty"`
	EnableRecoveryEmail                    *bool   `json:"enableRecoveryEmail,omitempty"`
	EnableResetLockoutCounter              *bool   `json:"enableResetLockoutCounter,omitempty"`
	GracePeriodDate                        *string `json:"gracePeriodDate,omitempty"`
	LockoutTimeInSeconds                   *int32  `json:"lockoutTimeInSeconds,omitempty"`
	MaxHistory                             *int32  `json:"maxHistory,omitempty"`
	MaxLoginAttempts                       *int32  `json:"maxLoginAttempts,omitempty"`
	MinChangePeriodInDays                  *int32  `json:"minChangePeriodInDays,omitempty"`
	MinLength                              *int32  `json:"minLength,omitempty"`
	NeedsLowercase                         *bool   `json:"needsLowercase,omitempty"`
	NeedsNumeric                           *bool   `json:"needsNumeric,omitempty"`
	NeedsSymbolic                          *bool   `json:"needsSymbolic,omitempty"`
	NeedsUppercase                         *bool   `json:"needsUppercase,omitempty"`
	PasswordExpirationInDays               *int32  `json:"passwordExpirationInDays,omitempty"`
	ResetLockoutCounterMinutes             *int32  `json:"resetLockoutCounterMinutes,omitempty"`
	AdditionalProperties                   map[string]interface{}
}

OrganizationsettingsPasswordPolicy struct for OrganizationsettingsPasswordPolicy

func NewOrganizationsettingsPasswordPolicy

func NewOrganizationsettingsPasswordPolicy() *OrganizationsettingsPasswordPolicy

NewOrganizationsettingsPasswordPolicy instantiates a new OrganizationsettingsPasswordPolicy object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsPasswordPolicyWithDefaults

func NewOrganizationsettingsPasswordPolicyWithDefaults() *OrganizationsettingsPasswordPolicy

NewOrganizationsettingsPasswordPolicyWithDefaults instantiates a new OrganizationsettingsPasswordPolicy object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsPasswordPolicy) GetAllowUsernameSubstring

func (o *OrganizationsettingsPasswordPolicy) GetAllowUsernameSubstring() bool

GetAllowUsernameSubstring returns the AllowUsernameSubstring field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetAllowUsernameSubstringOk

func (o *OrganizationsettingsPasswordPolicy) GetAllowUsernameSubstringOk() (*bool, bool)

GetAllowUsernameSubstringOk returns a tuple with the AllowUsernameSubstring field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) GetDaysAfterExpirationToSelfRecover() int32

GetDaysAfterExpirationToSelfRecover returns the DaysAfterExpirationToSelfRecover field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetDaysAfterExpirationToSelfRecoverOk

func (o *OrganizationsettingsPasswordPolicy) GetDaysAfterExpirationToSelfRecoverOk() (*int32, bool)

GetDaysAfterExpirationToSelfRecoverOk returns a tuple with the DaysAfterExpirationToSelfRecover field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) GetDaysBeforeExpirationToForceReset() int32

GetDaysBeforeExpirationToForceReset returns the DaysBeforeExpirationToForceReset field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetDaysBeforeExpirationToForceResetOk

func (o *OrganizationsettingsPasswordPolicy) GetDaysBeforeExpirationToForceResetOk() (*int32, bool)

GetDaysBeforeExpirationToForceResetOk returns a tuple with the DaysBeforeExpirationToForceReset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEffectiveDate

func (o *OrganizationsettingsPasswordPolicy) GetEffectiveDate() string

GetEffectiveDate returns the EffectiveDate field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEffectiveDateOk

func (o *OrganizationsettingsPasswordPolicy) GetEffectiveDateOk() (*string, bool)

GetEffectiveDateOk returns a tuple with the EffectiveDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecover() bool

GetEnableDaysAfterExpirationToSelfRecover returns the EnableDaysAfterExpirationToSelfRecover field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecoverOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecoverOk() (*bool, bool)

GetEnableDaysAfterExpirationToSelfRecoverOk returns a tuple with the EnableDaysAfterExpirationToSelfRecover field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) GetEnableDaysBeforeExpirationToForceReset() bool

GetEnableDaysBeforeExpirationToForceReset returns the EnableDaysBeforeExpirationToForceReset field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableDaysBeforeExpirationToForceResetOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableDaysBeforeExpirationToForceResetOk() (*bool, bool)

GetEnableDaysBeforeExpirationToForceResetOk returns a tuple with the EnableDaysBeforeExpirationToForceReset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) GetEnableLockoutTimeInSeconds() bool

GetEnableLockoutTimeInSeconds returns the EnableLockoutTimeInSeconds field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableLockoutTimeInSecondsOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableLockoutTimeInSecondsOk() (*bool, bool)

GetEnableLockoutTimeInSecondsOk returns a tuple with the EnableLockoutTimeInSeconds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableMaxHistory

func (o *OrganizationsettingsPasswordPolicy) GetEnableMaxHistory() bool

GetEnableMaxHistory returns the EnableMaxHistory field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableMaxHistoryOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableMaxHistoryOk() (*bool, bool)

GetEnableMaxHistoryOk returns a tuple with the EnableMaxHistory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) GetEnableMaxLoginAttempts() bool

GetEnableMaxLoginAttempts returns the EnableMaxLoginAttempts field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableMaxLoginAttemptsOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableMaxLoginAttemptsOk() (*bool, bool)

GetEnableMaxLoginAttemptsOk returns a tuple with the EnableMaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) GetEnableMinChangePeriodInDays() bool

GetEnableMinChangePeriodInDays returns the EnableMinChangePeriodInDays field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableMinChangePeriodInDaysOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableMinChangePeriodInDaysOk() (*bool, bool)

GetEnableMinChangePeriodInDaysOk returns a tuple with the EnableMinChangePeriodInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableMinLength

func (o *OrganizationsettingsPasswordPolicy) GetEnableMinLength() bool

GetEnableMinLength returns the EnableMinLength field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableMinLengthOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableMinLengthOk() (*bool, bool)

GetEnableMinLengthOk returns a tuple with the EnableMinLength field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnablePasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) GetEnablePasswordExpirationInDays() bool

GetEnablePasswordExpirationInDays returns the EnablePasswordExpirationInDays field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnablePasswordExpirationInDaysOk

func (o *OrganizationsettingsPasswordPolicy) GetEnablePasswordExpirationInDaysOk() (*bool, bool)

GetEnablePasswordExpirationInDaysOk returns a tuple with the EnablePasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableRecoveryEmail

func (o *OrganizationsettingsPasswordPolicy) GetEnableRecoveryEmail() bool

GetEnableRecoveryEmail returns the EnableRecoveryEmail field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableRecoveryEmailOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableRecoveryEmailOk() (*bool, bool)

GetEnableRecoveryEmailOk returns a tuple with the EnableRecoveryEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetEnableResetLockoutCounter

func (o *OrganizationsettingsPasswordPolicy) GetEnableResetLockoutCounter() bool

GetEnableResetLockoutCounter returns the EnableResetLockoutCounter field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetEnableResetLockoutCounterOk

func (o *OrganizationsettingsPasswordPolicy) GetEnableResetLockoutCounterOk() (*bool, bool)

GetEnableResetLockoutCounterOk returns a tuple with the EnableResetLockoutCounter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetGracePeriodDate

func (o *OrganizationsettingsPasswordPolicy) GetGracePeriodDate() string

GetGracePeriodDate returns the GracePeriodDate field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetGracePeriodDateOk

func (o *OrganizationsettingsPasswordPolicy) GetGracePeriodDateOk() (*string, bool)

GetGracePeriodDateOk returns a tuple with the GracePeriodDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) GetLockoutTimeInSeconds() int32

GetLockoutTimeInSeconds returns the LockoutTimeInSeconds field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetLockoutTimeInSecondsOk

func (o *OrganizationsettingsPasswordPolicy) GetLockoutTimeInSecondsOk() (*int32, bool)

GetLockoutTimeInSecondsOk returns a tuple with the LockoutTimeInSeconds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetMaxHistory

func (o *OrganizationsettingsPasswordPolicy) GetMaxHistory() int32

GetMaxHistory returns the MaxHistory field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetMaxHistoryOk

func (o *OrganizationsettingsPasswordPolicy) GetMaxHistoryOk() (*int32, bool)

GetMaxHistoryOk returns a tuple with the MaxHistory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) GetMaxLoginAttempts() int32

GetMaxLoginAttempts returns the MaxLoginAttempts field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetMaxLoginAttemptsOk

func (o *OrganizationsettingsPasswordPolicy) GetMaxLoginAttemptsOk() (*int32, bool)

GetMaxLoginAttemptsOk returns a tuple with the MaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) GetMinChangePeriodInDays() int32

GetMinChangePeriodInDays returns the MinChangePeriodInDays field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetMinChangePeriodInDaysOk

func (o *OrganizationsettingsPasswordPolicy) GetMinChangePeriodInDaysOk() (*int32, bool)

GetMinChangePeriodInDaysOk returns a tuple with the MinChangePeriodInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetMinLength

func (o *OrganizationsettingsPasswordPolicy) GetMinLength() int32

GetMinLength returns the MinLength field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetMinLengthOk

func (o *OrganizationsettingsPasswordPolicy) GetMinLengthOk() (*int32, bool)

GetMinLengthOk returns a tuple with the MinLength field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetNeedsLowercase

func (o *OrganizationsettingsPasswordPolicy) GetNeedsLowercase() bool

GetNeedsLowercase returns the NeedsLowercase field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetNeedsLowercaseOk

func (o *OrganizationsettingsPasswordPolicy) GetNeedsLowercaseOk() (*bool, bool)

GetNeedsLowercaseOk returns a tuple with the NeedsLowercase field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetNeedsNumeric

func (o *OrganizationsettingsPasswordPolicy) GetNeedsNumeric() bool

GetNeedsNumeric returns the NeedsNumeric field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetNeedsNumericOk

func (o *OrganizationsettingsPasswordPolicy) GetNeedsNumericOk() (*bool, bool)

GetNeedsNumericOk returns a tuple with the NeedsNumeric field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetNeedsSymbolic

func (o *OrganizationsettingsPasswordPolicy) GetNeedsSymbolic() bool

GetNeedsSymbolic returns the NeedsSymbolic field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetNeedsSymbolicOk

func (o *OrganizationsettingsPasswordPolicy) GetNeedsSymbolicOk() (*bool, bool)

GetNeedsSymbolicOk returns a tuple with the NeedsSymbolic field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetNeedsUppercase

func (o *OrganizationsettingsPasswordPolicy) GetNeedsUppercase() bool

GetNeedsUppercase returns the NeedsUppercase field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetNeedsUppercaseOk

func (o *OrganizationsettingsPasswordPolicy) GetNeedsUppercaseOk() (*bool, bool)

GetNeedsUppercaseOk returns a tuple with the NeedsUppercase field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetPasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) GetPasswordExpirationInDays() int32

GetPasswordExpirationInDays returns the PasswordExpirationInDays field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetPasswordExpirationInDaysOk

func (o *OrganizationsettingsPasswordPolicy) GetPasswordExpirationInDaysOk() (*int32, bool)

GetPasswordExpirationInDaysOk returns a tuple with the PasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) GetResetLockoutCounterMinutes

func (o *OrganizationsettingsPasswordPolicy) GetResetLockoutCounterMinutes() int32

GetResetLockoutCounterMinutes returns the ResetLockoutCounterMinutes field value if set, zero value otherwise.

func (*OrganizationsettingsPasswordPolicy) GetResetLockoutCounterMinutesOk

func (o *OrganizationsettingsPasswordPolicy) GetResetLockoutCounterMinutesOk() (*int32, bool)

GetResetLockoutCounterMinutesOk returns a tuple with the ResetLockoutCounterMinutes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsPasswordPolicy) HasAllowUsernameSubstring

func (o *OrganizationsettingsPasswordPolicy) HasAllowUsernameSubstring() bool

HasAllowUsernameSubstring returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) HasDaysAfterExpirationToSelfRecover() bool

HasDaysAfterExpirationToSelfRecover returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) HasDaysBeforeExpirationToForceReset() bool

HasDaysBeforeExpirationToForceReset returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEffectiveDate

func (o *OrganizationsettingsPasswordPolicy) HasEffectiveDate() bool

HasEffectiveDate returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) HasEnableDaysAfterExpirationToSelfRecover() bool

HasEnableDaysAfterExpirationToSelfRecover returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) HasEnableDaysBeforeExpirationToForceReset() bool

HasEnableDaysBeforeExpirationToForceReset returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) HasEnableLockoutTimeInSeconds() bool

HasEnableLockoutTimeInSeconds returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableMaxHistory

func (o *OrganizationsettingsPasswordPolicy) HasEnableMaxHistory() bool

HasEnableMaxHistory returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) HasEnableMaxLoginAttempts() bool

HasEnableMaxLoginAttempts returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) HasEnableMinChangePeriodInDays() bool

HasEnableMinChangePeriodInDays returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableMinLength

func (o *OrganizationsettingsPasswordPolicy) HasEnableMinLength() bool

HasEnableMinLength returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnablePasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) HasEnablePasswordExpirationInDays() bool

HasEnablePasswordExpirationInDays returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableRecoveryEmail

func (o *OrganizationsettingsPasswordPolicy) HasEnableRecoveryEmail() bool

HasEnableRecoveryEmail returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasEnableResetLockoutCounter

func (o *OrganizationsettingsPasswordPolicy) HasEnableResetLockoutCounter() bool

HasEnableResetLockoutCounter returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasGracePeriodDate

func (o *OrganizationsettingsPasswordPolicy) HasGracePeriodDate() bool

HasGracePeriodDate returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) HasLockoutTimeInSeconds() bool

HasLockoutTimeInSeconds returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasMaxHistory

func (o *OrganizationsettingsPasswordPolicy) HasMaxHistory() bool

HasMaxHistory returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) HasMaxLoginAttempts() bool

HasMaxLoginAttempts returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) HasMinChangePeriodInDays() bool

HasMinChangePeriodInDays returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasMinLength

func (o *OrganizationsettingsPasswordPolicy) HasMinLength() bool

HasMinLength returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasNeedsLowercase

func (o *OrganizationsettingsPasswordPolicy) HasNeedsLowercase() bool

HasNeedsLowercase returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasNeedsNumeric

func (o *OrganizationsettingsPasswordPolicy) HasNeedsNumeric() bool

HasNeedsNumeric returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasNeedsSymbolic

func (o *OrganizationsettingsPasswordPolicy) HasNeedsSymbolic() bool

HasNeedsSymbolic returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasNeedsUppercase

func (o *OrganizationsettingsPasswordPolicy) HasNeedsUppercase() bool

HasNeedsUppercase returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasPasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) HasPasswordExpirationInDays() bool

HasPasswordExpirationInDays returns a boolean if a field has been set.

func (*OrganizationsettingsPasswordPolicy) HasResetLockoutCounterMinutes

func (o *OrganizationsettingsPasswordPolicy) HasResetLockoutCounterMinutes() bool

HasResetLockoutCounterMinutes returns a boolean if a field has been set.

func (OrganizationsettingsPasswordPolicy) MarshalJSON

func (o OrganizationsettingsPasswordPolicy) MarshalJSON() ([]byte, error)

func (*OrganizationsettingsPasswordPolicy) SetAllowUsernameSubstring

func (o *OrganizationsettingsPasswordPolicy) SetAllowUsernameSubstring(v bool)

SetAllowUsernameSubstring gets a reference to the given bool and assigns it to the AllowUsernameSubstring field.

func (*OrganizationsettingsPasswordPolicy) SetDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) SetDaysAfterExpirationToSelfRecover(v int32)

SetDaysAfterExpirationToSelfRecover gets a reference to the given int32 and assigns it to the DaysAfterExpirationToSelfRecover field.

func (*OrganizationsettingsPasswordPolicy) SetDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) SetDaysBeforeExpirationToForceReset(v int32)

SetDaysBeforeExpirationToForceReset gets a reference to the given int32 and assigns it to the DaysBeforeExpirationToForceReset field.

func (*OrganizationsettingsPasswordPolicy) SetEffectiveDate

func (o *OrganizationsettingsPasswordPolicy) SetEffectiveDate(v string)

SetEffectiveDate gets a reference to the given string and assigns it to the EffectiveDate field.

func (*OrganizationsettingsPasswordPolicy) SetEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsPasswordPolicy) SetEnableDaysAfterExpirationToSelfRecover(v bool)

SetEnableDaysAfterExpirationToSelfRecover gets a reference to the given bool and assigns it to the EnableDaysAfterExpirationToSelfRecover field.

func (*OrganizationsettingsPasswordPolicy) SetEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsPasswordPolicy) SetEnableDaysBeforeExpirationToForceReset(v bool)

SetEnableDaysBeforeExpirationToForceReset gets a reference to the given bool and assigns it to the EnableDaysBeforeExpirationToForceReset field.

func (*OrganizationsettingsPasswordPolicy) SetEnableLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) SetEnableLockoutTimeInSeconds(v bool)

SetEnableLockoutTimeInSeconds gets a reference to the given bool and assigns it to the EnableLockoutTimeInSeconds field.

func (*OrganizationsettingsPasswordPolicy) SetEnableMaxHistory

func (o *OrganizationsettingsPasswordPolicy) SetEnableMaxHistory(v bool)

SetEnableMaxHistory gets a reference to the given bool and assigns it to the EnableMaxHistory field.

func (*OrganizationsettingsPasswordPolicy) SetEnableMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) SetEnableMaxLoginAttempts(v bool)

SetEnableMaxLoginAttempts gets a reference to the given bool and assigns it to the EnableMaxLoginAttempts field.

func (*OrganizationsettingsPasswordPolicy) SetEnableMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) SetEnableMinChangePeriodInDays(v bool)

SetEnableMinChangePeriodInDays gets a reference to the given bool and assigns it to the EnableMinChangePeriodInDays field.

func (*OrganizationsettingsPasswordPolicy) SetEnableMinLength

func (o *OrganizationsettingsPasswordPolicy) SetEnableMinLength(v bool)

SetEnableMinLength gets a reference to the given bool and assigns it to the EnableMinLength field.

func (*OrganizationsettingsPasswordPolicy) SetEnablePasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) SetEnablePasswordExpirationInDays(v bool)

SetEnablePasswordExpirationInDays gets a reference to the given bool and assigns it to the EnablePasswordExpirationInDays field.

func (*OrganizationsettingsPasswordPolicy) SetEnableRecoveryEmail

func (o *OrganizationsettingsPasswordPolicy) SetEnableRecoveryEmail(v bool)

SetEnableRecoveryEmail gets a reference to the given bool and assigns it to the EnableRecoveryEmail field.

func (*OrganizationsettingsPasswordPolicy) SetEnableResetLockoutCounter

func (o *OrganizationsettingsPasswordPolicy) SetEnableResetLockoutCounter(v bool)

SetEnableResetLockoutCounter gets a reference to the given bool and assigns it to the EnableResetLockoutCounter field.

func (*OrganizationsettingsPasswordPolicy) SetGracePeriodDate

func (o *OrganizationsettingsPasswordPolicy) SetGracePeriodDate(v string)

SetGracePeriodDate gets a reference to the given string and assigns it to the GracePeriodDate field.

func (*OrganizationsettingsPasswordPolicy) SetLockoutTimeInSeconds

func (o *OrganizationsettingsPasswordPolicy) SetLockoutTimeInSeconds(v int32)

SetLockoutTimeInSeconds gets a reference to the given int32 and assigns it to the LockoutTimeInSeconds field.

func (*OrganizationsettingsPasswordPolicy) SetMaxHistory

func (o *OrganizationsettingsPasswordPolicy) SetMaxHistory(v int32)

SetMaxHistory gets a reference to the given int32 and assigns it to the MaxHistory field.

func (*OrganizationsettingsPasswordPolicy) SetMaxLoginAttempts

func (o *OrganizationsettingsPasswordPolicy) SetMaxLoginAttempts(v int32)

SetMaxLoginAttempts gets a reference to the given int32 and assigns it to the MaxLoginAttempts field.

func (*OrganizationsettingsPasswordPolicy) SetMinChangePeriodInDays

func (o *OrganizationsettingsPasswordPolicy) SetMinChangePeriodInDays(v int32)

SetMinChangePeriodInDays gets a reference to the given int32 and assigns it to the MinChangePeriodInDays field.

func (*OrganizationsettingsPasswordPolicy) SetMinLength

func (o *OrganizationsettingsPasswordPolicy) SetMinLength(v int32)

SetMinLength gets a reference to the given int32 and assigns it to the MinLength field.

func (*OrganizationsettingsPasswordPolicy) SetNeedsLowercase

func (o *OrganizationsettingsPasswordPolicy) SetNeedsLowercase(v bool)

SetNeedsLowercase gets a reference to the given bool and assigns it to the NeedsLowercase field.

func (*OrganizationsettingsPasswordPolicy) SetNeedsNumeric

func (o *OrganizationsettingsPasswordPolicy) SetNeedsNumeric(v bool)

SetNeedsNumeric gets a reference to the given bool and assigns it to the NeedsNumeric field.

func (*OrganizationsettingsPasswordPolicy) SetNeedsSymbolic

func (o *OrganizationsettingsPasswordPolicy) SetNeedsSymbolic(v bool)

SetNeedsSymbolic gets a reference to the given bool and assigns it to the NeedsSymbolic field.

func (*OrganizationsettingsPasswordPolicy) SetNeedsUppercase

func (o *OrganizationsettingsPasswordPolicy) SetNeedsUppercase(v bool)

SetNeedsUppercase gets a reference to the given bool and assigns it to the NeedsUppercase field.

func (*OrganizationsettingsPasswordPolicy) SetPasswordExpirationInDays

func (o *OrganizationsettingsPasswordPolicy) SetPasswordExpirationInDays(v int32)

SetPasswordExpirationInDays gets a reference to the given int32 and assigns it to the PasswordExpirationInDays field.

func (*OrganizationsettingsPasswordPolicy) SetResetLockoutCounterMinutes

func (o *OrganizationsettingsPasswordPolicy) SetResetLockoutCounterMinutes(v int32)

SetResetLockoutCounterMinutes gets a reference to the given int32 and assigns it to the ResetLockoutCounterMinutes field.

func (OrganizationsettingsPasswordPolicy) ToMap

func (o OrganizationsettingsPasswordPolicy) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsPasswordPolicy) UnmarshalJSON

func (o *OrganizationsettingsPasswordPolicy) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsUserPortal

type OrganizationsettingsUserPortal struct {
	IdleSessionDurationMinutes *int32 `json:"idleSessionDurationMinutes,omitempty"`
	AdditionalProperties       map[string]interface{}
}

OrganizationsettingsUserPortal struct for OrganizationsettingsUserPortal

func NewOrganizationsettingsUserPortal

func NewOrganizationsettingsUserPortal() *OrganizationsettingsUserPortal

NewOrganizationsettingsUserPortal instantiates a new OrganizationsettingsUserPortal object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsUserPortalWithDefaults

func NewOrganizationsettingsUserPortalWithDefaults() *OrganizationsettingsUserPortal

NewOrganizationsettingsUserPortalWithDefaults instantiates a new OrganizationsettingsUserPortal object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsUserPortal) GetIdleSessionDurationMinutes

func (o *OrganizationsettingsUserPortal) GetIdleSessionDurationMinutes() int32

GetIdleSessionDurationMinutes returns the IdleSessionDurationMinutes field value if set, zero value otherwise.

func (*OrganizationsettingsUserPortal) GetIdleSessionDurationMinutesOk

func (o *OrganizationsettingsUserPortal) GetIdleSessionDurationMinutesOk() (*int32, bool)

GetIdleSessionDurationMinutesOk returns a tuple with the IdleSessionDurationMinutes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsUserPortal) HasIdleSessionDurationMinutes

func (o *OrganizationsettingsUserPortal) HasIdleSessionDurationMinutes() bool

HasIdleSessionDurationMinutes returns a boolean if a field has been set.

func (OrganizationsettingsUserPortal) MarshalJSON

func (o OrganizationsettingsUserPortal) MarshalJSON() ([]byte, error)

func (*OrganizationsettingsUserPortal) SetIdleSessionDurationMinutes

func (o *OrganizationsettingsUserPortal) SetIdleSessionDurationMinutes(v int32)

SetIdleSessionDurationMinutes gets a reference to the given int32 and assigns it to the IdleSessionDurationMinutes field.

func (OrganizationsettingsUserPortal) ToMap

func (o OrganizationsettingsUserPortal) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsUserPortal) UnmarshalJSON

func (o *OrganizationsettingsUserPortal) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsWindowsMDM

type OrganizationsettingsWindowsMDM struct {
	// Indicates if the Windows MDM is active.
	Enabled              *bool `json:"enabled,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsWindowsMDM struct for OrganizationsettingsWindowsMDM

func NewOrganizationsettingsWindowsMDM

func NewOrganizationsettingsWindowsMDM() *OrganizationsettingsWindowsMDM

NewOrganizationsettingsWindowsMDM instantiates a new OrganizationsettingsWindowsMDM object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsWindowsMDMWithDefaults

func NewOrganizationsettingsWindowsMDMWithDefaults() *OrganizationsettingsWindowsMDM

NewOrganizationsettingsWindowsMDMWithDefaults instantiates a new OrganizationsettingsWindowsMDM object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsWindowsMDM) GetEnabled

func (o *OrganizationsettingsWindowsMDM) GetEnabled() bool

GetEnabled returns the Enabled field value if set, zero value otherwise.

func (*OrganizationsettingsWindowsMDM) GetEnabledOk

func (o *OrganizationsettingsWindowsMDM) GetEnabledOk() (*bool, bool)

GetEnabledOk returns a tuple with the Enabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsWindowsMDM) HasEnabled

func (o *OrganizationsettingsWindowsMDM) HasEnabled() bool

HasEnabled returns a boolean if a field has been set.

func (OrganizationsettingsWindowsMDM) MarshalJSON

func (o OrganizationsettingsWindowsMDM) MarshalJSON() ([]byte, error)

func (*OrganizationsettingsWindowsMDM) SetEnabled

func (o *OrganizationsettingsWindowsMDM) SetEnabled(v bool)

SetEnabled gets a reference to the given bool and assigns it to the Enabled field.

func (OrganizationsettingsWindowsMDM) ToMap

func (o OrganizationsettingsWindowsMDM) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsWindowsMDM) UnmarshalJSON

func (o *OrganizationsettingsWindowsMDM) UnmarshalJSON(bytes []byte) (err error)

type Organizationsettingsput

type Organizationsettingsput struct {
	ContactEmail                *string                       `json:"contactEmail,omitempty"`
	ContactName                 *string                       `json:"contactName,omitempty"`
	DeviceIdentificationEnabled *bool                         `json:"deviceIdentificationEnabled,omitempty"`
	DisableGoogleLogin          *bool                         `json:"disableGoogleLogin,omitempty"`
	DisableLdap                 *bool                         `json:"disableLdap,omitempty"`
	DisableUM                   *bool                         `json:"disableUM,omitempty"`
	DuplicateLDAPGroups         *bool                         `json:"duplicateLDAPGroups,omitempty"`
	EmailDisclaimer             *string                       `json:"emailDisclaimer,omitempty"`
	EnableManagedUID            *bool                         `json:"enableManagedUID,omitempty"`
	Features                    *OrganizationsettingsFeatures `json:"features,omitempty"`
	// Object containing Optimizely experimentIds and states corresponding to them
	GrowthData                         map[string]interface{}                             `json:"growthData,omitempty"`
	Name                               *string                                            `json:"name,omitempty"`
	NewSystemUserStateDefaults         *OrganizationsettingsputNewSystemUserStateDefaults `json:"newSystemUserStateDefaults,omitempty"`
	PasswordCompliance                 *string                                            `json:"passwordCompliance,omitempty"`
	PasswordPolicy                     *OrganizationsettingsputPasswordPolicy             `json:"passwordPolicy,omitempty"`
	ShowIntro                          *bool                                              `json:"showIntro,omitempty"`
	SystemUserPasswordExpirationInDays *int32                                             `json:"systemUserPasswordExpirationInDays,omitempty"`
	SystemUsersCanEdit                 *bool                                              `json:"systemUsersCanEdit,omitempty"`
	SystemUsersCap                     *int32                                             `json:"systemUsersCap,omitempty"`
	TrustedAppConfig                   *TrustedappConfigPut                               `json:"trustedAppConfig,omitempty"`
	UserPortal                         *OrganizationsettingsUserPortal                    `json:"userPortal,omitempty"`
	AdditionalProperties               map[string]interface{}
}

Organizationsettingsput struct for Organizationsettingsput

func NewOrganizationsettingsput

func NewOrganizationsettingsput() *Organizationsettingsput

NewOrganizationsettingsput instantiates a new Organizationsettingsput object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsputWithDefaults

func NewOrganizationsettingsputWithDefaults() *Organizationsettingsput

NewOrganizationsettingsputWithDefaults instantiates a new Organizationsettingsput object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Organizationsettingsput) GetContactEmail

func (o *Organizationsettingsput) GetContactEmail() string

GetContactEmail returns the ContactEmail field value if set, zero value otherwise.

func (*Organizationsettingsput) GetContactEmailOk

func (o *Organizationsettingsput) GetContactEmailOk() (*string, bool)

GetContactEmailOk returns a tuple with the ContactEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetContactName

func (o *Organizationsettingsput) GetContactName() string

GetContactName returns the ContactName field value if set, zero value otherwise.

func (*Organizationsettingsput) GetContactNameOk

func (o *Organizationsettingsput) GetContactNameOk() (*string, bool)

GetContactNameOk returns a tuple with the ContactName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetDeviceIdentificationEnabled

func (o *Organizationsettingsput) GetDeviceIdentificationEnabled() bool

GetDeviceIdentificationEnabled returns the DeviceIdentificationEnabled field value if set, zero value otherwise.

func (*Organizationsettingsput) GetDeviceIdentificationEnabledOk

func (o *Organizationsettingsput) GetDeviceIdentificationEnabledOk() (*bool, bool)

GetDeviceIdentificationEnabledOk returns a tuple with the DeviceIdentificationEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetDisableGoogleLogin

func (o *Organizationsettingsput) GetDisableGoogleLogin() bool

GetDisableGoogleLogin returns the DisableGoogleLogin field value if set, zero value otherwise.

func (*Organizationsettingsput) GetDisableGoogleLoginOk

func (o *Organizationsettingsput) GetDisableGoogleLoginOk() (*bool, bool)

GetDisableGoogleLoginOk returns a tuple with the DisableGoogleLogin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetDisableLdap

func (o *Organizationsettingsput) GetDisableLdap() bool

GetDisableLdap returns the DisableLdap field value if set, zero value otherwise.

func (*Organizationsettingsput) GetDisableLdapOk

func (o *Organizationsettingsput) GetDisableLdapOk() (*bool, bool)

GetDisableLdapOk returns a tuple with the DisableLdap field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetDisableUM

func (o *Organizationsettingsput) GetDisableUM() bool

GetDisableUM returns the DisableUM field value if set, zero value otherwise.

func (*Organizationsettingsput) GetDisableUMOk

func (o *Organizationsettingsput) GetDisableUMOk() (*bool, bool)

GetDisableUMOk returns a tuple with the DisableUM field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetDuplicateLDAPGroups

func (o *Organizationsettingsput) GetDuplicateLDAPGroups() bool

GetDuplicateLDAPGroups returns the DuplicateLDAPGroups field value if set, zero value otherwise.

func (*Organizationsettingsput) GetDuplicateLDAPGroupsOk

func (o *Organizationsettingsput) GetDuplicateLDAPGroupsOk() (*bool, bool)

GetDuplicateLDAPGroupsOk returns a tuple with the DuplicateLDAPGroups field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetEmailDisclaimer

func (o *Organizationsettingsput) GetEmailDisclaimer() string

GetEmailDisclaimer returns the EmailDisclaimer field value if set, zero value otherwise.

func (*Organizationsettingsput) GetEmailDisclaimerOk

func (o *Organizationsettingsput) GetEmailDisclaimerOk() (*string, bool)

GetEmailDisclaimerOk returns a tuple with the EmailDisclaimer field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetEnableManagedUID

func (o *Organizationsettingsput) GetEnableManagedUID() bool

GetEnableManagedUID returns the EnableManagedUID field value if set, zero value otherwise.

func (*Organizationsettingsput) GetEnableManagedUIDOk

func (o *Organizationsettingsput) GetEnableManagedUIDOk() (*bool, bool)

GetEnableManagedUIDOk returns a tuple with the EnableManagedUID field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetFeatures

GetFeatures returns the Features field value if set, zero value otherwise.

func (*Organizationsettingsput) GetFeaturesOk

GetFeaturesOk returns a tuple with the Features field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetGrowthData

func (o *Organizationsettingsput) GetGrowthData() map[string]interface{}

GetGrowthData returns the GrowthData field value if set, zero value otherwise.

func (*Organizationsettingsput) GetGrowthDataOk

func (o *Organizationsettingsput) GetGrowthDataOk() (map[string]interface{}, bool)

GetGrowthDataOk returns a tuple with the GrowthData field value if set, nil otherwise and a boolean to check if the value has been set.

func (o *Organizationsettingsput) GetLogo() string

GetLogo returns the Logo field value if set, zero value otherwise.

func (*Organizationsettingsput) GetLogoOk

func (o *Organizationsettingsput) GetLogoOk() (*string, bool)

GetLogoOk returns a tuple with the Logo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetName

func (o *Organizationsettingsput) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Organizationsettingsput) GetNameOk

func (o *Organizationsettingsput) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetNewSystemUserStateDefaults

GetNewSystemUserStateDefaults returns the NewSystemUserStateDefaults field value if set, zero value otherwise.

func (*Organizationsettingsput) GetNewSystemUserStateDefaultsOk

func (o *Organizationsettingsput) GetNewSystemUserStateDefaultsOk() (*OrganizationsettingsputNewSystemUserStateDefaults, bool)

GetNewSystemUserStateDefaultsOk returns a tuple with the NewSystemUserStateDefaults field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetPasswordCompliance

func (o *Organizationsettingsput) GetPasswordCompliance() string

GetPasswordCompliance returns the PasswordCompliance field value if set, zero value otherwise.

func (*Organizationsettingsput) GetPasswordComplianceOk

func (o *Organizationsettingsput) GetPasswordComplianceOk() (*string, bool)

GetPasswordComplianceOk returns a tuple with the PasswordCompliance field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetPasswordPolicy

GetPasswordPolicy returns the PasswordPolicy field value if set, zero value otherwise.

func (*Organizationsettingsput) GetPasswordPolicyOk

GetPasswordPolicyOk returns a tuple with the PasswordPolicy field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetShowIntro

func (o *Organizationsettingsput) GetShowIntro() bool

GetShowIntro returns the ShowIntro field value if set, zero value otherwise.

func (*Organizationsettingsput) GetShowIntroOk

func (o *Organizationsettingsput) GetShowIntroOk() (*bool, bool)

GetShowIntroOk returns a tuple with the ShowIntro field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetSystemUserPasswordExpirationInDays

func (o *Organizationsettingsput) GetSystemUserPasswordExpirationInDays() int32

GetSystemUserPasswordExpirationInDays returns the SystemUserPasswordExpirationInDays field value if set, zero value otherwise.

func (*Organizationsettingsput) GetSystemUserPasswordExpirationInDaysOk

func (o *Organizationsettingsput) GetSystemUserPasswordExpirationInDaysOk() (*int32, bool)

GetSystemUserPasswordExpirationInDaysOk returns a tuple with the SystemUserPasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetSystemUsersCanEdit

func (o *Organizationsettingsput) GetSystemUsersCanEdit() bool

GetSystemUsersCanEdit returns the SystemUsersCanEdit field value if set, zero value otherwise.

func (*Organizationsettingsput) GetSystemUsersCanEditOk

func (o *Organizationsettingsput) GetSystemUsersCanEditOk() (*bool, bool)

GetSystemUsersCanEditOk returns a tuple with the SystemUsersCanEdit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetSystemUsersCap

func (o *Organizationsettingsput) GetSystemUsersCap() int32

GetSystemUsersCap returns the SystemUsersCap field value if set, zero value otherwise.

func (*Organizationsettingsput) GetSystemUsersCapOk

func (o *Organizationsettingsput) GetSystemUsersCapOk() (*int32, bool)

GetSystemUsersCapOk returns a tuple with the SystemUsersCap field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetTrustedAppConfig

func (o *Organizationsettingsput) GetTrustedAppConfig() TrustedappConfigPut

GetTrustedAppConfig returns the TrustedAppConfig field value if set, zero value otherwise.

func (*Organizationsettingsput) GetTrustedAppConfigOk

func (o *Organizationsettingsput) GetTrustedAppConfigOk() (*TrustedappConfigPut, bool)

GetTrustedAppConfigOk returns a tuple with the TrustedAppConfig field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) GetUserPortal

GetUserPortal returns the UserPortal field value if set, zero value otherwise.

func (*Organizationsettingsput) GetUserPortalOk

GetUserPortalOk returns a tuple with the UserPortal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationsettingsput) HasContactEmail

func (o *Organizationsettingsput) HasContactEmail() bool

HasContactEmail returns a boolean if a field has been set.

func (*Organizationsettingsput) HasContactName

func (o *Organizationsettingsput) HasContactName() bool

HasContactName returns a boolean if a field has been set.

func (*Organizationsettingsput) HasDeviceIdentificationEnabled

func (o *Organizationsettingsput) HasDeviceIdentificationEnabled() bool

HasDeviceIdentificationEnabled returns a boolean if a field has been set.

func (*Organizationsettingsput) HasDisableGoogleLogin

func (o *Organizationsettingsput) HasDisableGoogleLogin() bool

HasDisableGoogleLogin returns a boolean if a field has been set.

func (*Organizationsettingsput) HasDisableLdap

func (o *Organizationsettingsput) HasDisableLdap() bool

HasDisableLdap returns a boolean if a field has been set.

func (*Organizationsettingsput) HasDisableUM

func (o *Organizationsettingsput) HasDisableUM() bool

HasDisableUM returns a boolean if a field has been set.

func (*Organizationsettingsput) HasDuplicateLDAPGroups

func (o *Organizationsettingsput) HasDuplicateLDAPGroups() bool

HasDuplicateLDAPGroups returns a boolean if a field has been set.

func (*Organizationsettingsput) HasEmailDisclaimer

func (o *Organizationsettingsput) HasEmailDisclaimer() bool

HasEmailDisclaimer returns a boolean if a field has been set.

func (*Organizationsettingsput) HasEnableManagedUID

func (o *Organizationsettingsput) HasEnableManagedUID() bool

HasEnableManagedUID returns a boolean if a field has been set.

func (*Organizationsettingsput) HasFeatures

func (o *Organizationsettingsput) HasFeatures() bool

HasFeatures returns a boolean if a field has been set.

func (*Organizationsettingsput) HasGrowthData

func (o *Organizationsettingsput) HasGrowthData() bool

HasGrowthData returns a boolean if a field has been set.

func (o *Organizationsettingsput) HasLogo() bool

HasLogo returns a boolean if a field has been set.

func (*Organizationsettingsput) HasName

func (o *Organizationsettingsput) HasName() bool

HasName returns a boolean if a field has been set.

func (*Organizationsettingsput) HasNewSystemUserStateDefaults

func (o *Organizationsettingsput) HasNewSystemUserStateDefaults() bool

HasNewSystemUserStateDefaults returns a boolean if a field has been set.

func (*Organizationsettingsput) HasPasswordCompliance

func (o *Organizationsettingsput) HasPasswordCompliance() bool

HasPasswordCompliance returns a boolean if a field has been set.

func (*Organizationsettingsput) HasPasswordPolicy

func (o *Organizationsettingsput) HasPasswordPolicy() bool

HasPasswordPolicy returns a boolean if a field has been set.

func (*Organizationsettingsput) HasShowIntro

func (o *Organizationsettingsput) HasShowIntro() bool

HasShowIntro returns a boolean if a field has been set.

func (*Organizationsettingsput) HasSystemUserPasswordExpirationInDays

func (o *Organizationsettingsput) HasSystemUserPasswordExpirationInDays() bool

HasSystemUserPasswordExpirationInDays returns a boolean if a field has been set.

func (*Organizationsettingsput) HasSystemUsersCanEdit

func (o *Organizationsettingsput) HasSystemUsersCanEdit() bool

HasSystemUsersCanEdit returns a boolean if a field has been set.

func (*Organizationsettingsput) HasSystemUsersCap

func (o *Organizationsettingsput) HasSystemUsersCap() bool

HasSystemUsersCap returns a boolean if a field has been set.

func (*Organizationsettingsput) HasTrustedAppConfig

func (o *Organizationsettingsput) HasTrustedAppConfig() bool

HasTrustedAppConfig returns a boolean if a field has been set.

func (*Organizationsettingsput) HasUserPortal

func (o *Organizationsettingsput) HasUserPortal() bool

HasUserPortal returns a boolean if a field has been set.

func (Organizationsettingsput) MarshalJSON

func (o Organizationsettingsput) MarshalJSON() ([]byte, error)

func (*Organizationsettingsput) SetContactEmail

func (o *Organizationsettingsput) SetContactEmail(v string)

SetContactEmail gets a reference to the given string and assigns it to the ContactEmail field.

func (*Organizationsettingsput) SetContactName

func (o *Organizationsettingsput) SetContactName(v string)

SetContactName gets a reference to the given string and assigns it to the ContactName field.

func (*Organizationsettingsput) SetDeviceIdentificationEnabled

func (o *Organizationsettingsput) SetDeviceIdentificationEnabled(v bool)

SetDeviceIdentificationEnabled gets a reference to the given bool and assigns it to the DeviceIdentificationEnabled field.

func (*Organizationsettingsput) SetDisableGoogleLogin

func (o *Organizationsettingsput) SetDisableGoogleLogin(v bool)

SetDisableGoogleLogin gets a reference to the given bool and assigns it to the DisableGoogleLogin field.

func (*Organizationsettingsput) SetDisableLdap

func (o *Organizationsettingsput) SetDisableLdap(v bool)

SetDisableLdap gets a reference to the given bool and assigns it to the DisableLdap field.

func (*Organizationsettingsput) SetDisableUM

func (o *Organizationsettingsput) SetDisableUM(v bool)

SetDisableUM gets a reference to the given bool and assigns it to the DisableUM field.

func (*Organizationsettingsput) SetDuplicateLDAPGroups

func (o *Organizationsettingsput) SetDuplicateLDAPGroups(v bool)

SetDuplicateLDAPGroups gets a reference to the given bool and assigns it to the DuplicateLDAPGroups field.

func (*Organizationsettingsput) SetEmailDisclaimer

func (o *Organizationsettingsput) SetEmailDisclaimer(v string)

SetEmailDisclaimer gets a reference to the given string and assigns it to the EmailDisclaimer field.

func (*Organizationsettingsput) SetEnableManagedUID

func (o *Organizationsettingsput) SetEnableManagedUID(v bool)

SetEnableManagedUID gets a reference to the given bool and assigns it to the EnableManagedUID field.

func (*Organizationsettingsput) SetFeatures

SetFeatures gets a reference to the given OrganizationsettingsFeatures and assigns it to the Features field.

func (*Organizationsettingsput) SetGrowthData

func (o *Organizationsettingsput) SetGrowthData(v map[string]interface{})

SetGrowthData gets a reference to the given map[string]interface{} and assigns it to the GrowthData field.

func (o *Organizationsettingsput) SetLogo(v string)

SetLogo gets a reference to the given string and assigns it to the Logo field.

func (*Organizationsettingsput) SetName

func (o *Organizationsettingsput) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Organizationsettingsput) SetNewSystemUserStateDefaults

SetNewSystemUserStateDefaults gets a reference to the given OrganizationsettingsputNewSystemUserStateDefaults and assigns it to the NewSystemUserStateDefaults field.

func (*Organizationsettingsput) SetPasswordCompliance

func (o *Organizationsettingsput) SetPasswordCompliance(v string)

SetPasswordCompliance gets a reference to the given string and assigns it to the PasswordCompliance field.

func (*Organizationsettingsput) SetPasswordPolicy

SetPasswordPolicy gets a reference to the given OrganizationsettingsputPasswordPolicy and assigns it to the PasswordPolicy field.

func (*Organizationsettingsput) SetShowIntro

func (o *Organizationsettingsput) SetShowIntro(v bool)

SetShowIntro gets a reference to the given bool and assigns it to the ShowIntro field.

func (*Organizationsettingsput) SetSystemUserPasswordExpirationInDays

func (o *Organizationsettingsput) SetSystemUserPasswordExpirationInDays(v int32)

SetSystemUserPasswordExpirationInDays gets a reference to the given int32 and assigns it to the SystemUserPasswordExpirationInDays field.

func (*Organizationsettingsput) SetSystemUsersCanEdit

func (o *Organizationsettingsput) SetSystemUsersCanEdit(v bool)

SetSystemUsersCanEdit gets a reference to the given bool and assigns it to the SystemUsersCanEdit field.

func (*Organizationsettingsput) SetSystemUsersCap

func (o *Organizationsettingsput) SetSystemUsersCap(v int32)

SetSystemUsersCap gets a reference to the given int32 and assigns it to the SystemUsersCap field.

func (*Organizationsettingsput) SetTrustedAppConfig

func (o *Organizationsettingsput) SetTrustedAppConfig(v TrustedappConfigPut)

SetTrustedAppConfig gets a reference to the given TrustedappConfigPut and assigns it to the TrustedAppConfig field.

func (*Organizationsettingsput) SetUserPortal

SetUserPortal gets a reference to the given OrganizationsettingsUserPortal and assigns it to the UserPortal field.

func (Organizationsettingsput) ToMap

func (o Organizationsettingsput) ToMap() (map[string]interface{}, error)

func (*Organizationsettingsput) UnmarshalJSON

func (o *Organizationsettingsput) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsputNewSystemUserStateDefaults

type OrganizationsettingsputNewSystemUserStateDefaults struct {
	ApplicationImport    *string `json:"applicationImport,omitempty"`
	CsvImport            *string `json:"csvImport,omitempty"`
	ManualEntry          *string `json:"manualEntry,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationsettingsputNewSystemUserStateDefaults struct for OrganizationsettingsputNewSystemUserStateDefaults

func NewOrganizationsettingsputNewSystemUserStateDefaults

func NewOrganizationsettingsputNewSystemUserStateDefaults() *OrganizationsettingsputNewSystemUserStateDefaults

NewOrganizationsettingsputNewSystemUserStateDefaults instantiates a new OrganizationsettingsputNewSystemUserStateDefaults object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsputNewSystemUserStateDefaultsWithDefaults

func NewOrganizationsettingsputNewSystemUserStateDefaultsWithDefaults() *OrganizationsettingsputNewSystemUserStateDefaults

NewOrganizationsettingsputNewSystemUserStateDefaultsWithDefaults instantiates a new OrganizationsettingsputNewSystemUserStateDefaults object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetApplicationImport

GetApplicationImport returns the ApplicationImport field value if set, zero value otherwise.

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetApplicationImportOk

func (o *OrganizationsettingsputNewSystemUserStateDefaults) GetApplicationImportOk() (*string, bool)

GetApplicationImportOk returns a tuple with the ApplicationImport field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetCsvImport

GetCsvImport returns the CsvImport field value if set, zero value otherwise.

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetCsvImportOk

GetCsvImportOk returns a tuple with the CsvImport field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetManualEntry

GetManualEntry returns the ManualEntry field value if set, zero value otherwise.

func (*OrganizationsettingsputNewSystemUserStateDefaults) GetManualEntryOk

GetManualEntryOk returns a tuple with the ManualEntry field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputNewSystemUserStateDefaults) HasApplicationImport

func (o *OrganizationsettingsputNewSystemUserStateDefaults) HasApplicationImport() bool

HasApplicationImport returns a boolean if a field has been set.

func (*OrganizationsettingsputNewSystemUserStateDefaults) HasCsvImport

HasCsvImport returns a boolean if a field has been set.

func (*OrganizationsettingsputNewSystemUserStateDefaults) HasManualEntry

HasManualEntry returns a boolean if a field has been set.

func (OrganizationsettingsputNewSystemUserStateDefaults) MarshalJSON

func (*OrganizationsettingsputNewSystemUserStateDefaults) SetApplicationImport

func (o *OrganizationsettingsputNewSystemUserStateDefaults) SetApplicationImport(v string)

SetApplicationImport gets a reference to the given string and assigns it to the ApplicationImport field.

func (*OrganizationsettingsputNewSystemUserStateDefaults) SetCsvImport

SetCsvImport gets a reference to the given string and assigns it to the CsvImport field.

func (*OrganizationsettingsputNewSystemUserStateDefaults) SetManualEntry

SetManualEntry gets a reference to the given string and assigns it to the ManualEntry field.

func (OrganizationsettingsputNewSystemUserStateDefaults) ToMap

func (o OrganizationsettingsputNewSystemUserStateDefaults) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsputNewSystemUserStateDefaults) UnmarshalJSON

func (o *OrganizationsettingsputNewSystemUserStateDefaults) UnmarshalJSON(bytes []byte) (err error)

type OrganizationsettingsputPasswordPolicy

type OrganizationsettingsputPasswordPolicy struct {
	AllowUsernameSubstring *bool `json:"allowUsernameSubstring,omitempty"`
	// Deprecated field used for the legacy grace period feature.
	DaysAfterExpirationToSelfRecover       *int32  `json:"daysAfterExpirationToSelfRecover,omitempty"`
	DaysBeforeExpirationToForceReset       *int32  `json:"daysBeforeExpirationToForceReset,omitempty"`
	EffectiveDate                          *string `json:"effectiveDate,omitempty"`
	EnableDaysAfterExpirationToSelfRecover *bool   `json:"enableDaysAfterExpirationToSelfRecover,omitempty"`
	EnableDaysBeforeExpirationToForceReset *bool   `json:"enableDaysBeforeExpirationToForceReset,omitempty"`
	EnableLockoutTimeInSeconds             *bool   `json:"enableLockoutTimeInSeconds,omitempty"`
	EnableMaxHistory                       *bool   `json:"enableMaxHistory,omitempty"`
	EnableMaxLoginAttempts                 *bool   `json:"enableMaxLoginAttempts,omitempty"`
	EnableMinChangePeriodInDays            *bool   `json:"enableMinChangePeriodInDays,omitempty"`
	EnableMinLength                        *bool   `json:"enableMinLength,omitempty"`
	EnablePasswordExpirationInDays         *bool   `json:"enablePasswordExpirationInDays,omitempty"`
	GracePeriodDate                        *string `json:"gracePeriodDate,omitempty"`
	LockoutTimeInSeconds                   *int32  `json:"lockoutTimeInSeconds,omitempty"`
	MaxHistory                             *int32  `json:"maxHistory,omitempty"`
	MaxLoginAttempts                       *int32  `json:"maxLoginAttempts,omitempty"`
	MinChangePeriodInDays                  *int32  `json:"minChangePeriodInDays,omitempty"`
	MinLength                              *int32  `json:"minLength,omitempty"`
	NeedsLowercase                         *bool   `json:"needsLowercase,omitempty"`
	NeedsNumeric                           *bool   `json:"needsNumeric,omitempty"`
	NeedsSymbolic                          *bool   `json:"needsSymbolic,omitempty"`
	NeedsUppercase                         *bool   `json:"needsUppercase,omitempty"`
	PasswordExpirationInDays               *int32  `json:"passwordExpirationInDays,omitempty"`
	AdditionalProperties                   map[string]interface{}
}

OrganizationsettingsputPasswordPolicy struct for OrganizationsettingsputPasswordPolicy

func NewOrganizationsettingsputPasswordPolicy

func NewOrganizationsettingsputPasswordPolicy() *OrganizationsettingsputPasswordPolicy

NewOrganizationsettingsputPasswordPolicy instantiates a new OrganizationsettingsputPasswordPolicy object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationsettingsputPasswordPolicyWithDefaults

func NewOrganizationsettingsputPasswordPolicyWithDefaults() *OrganizationsettingsputPasswordPolicy

NewOrganizationsettingsputPasswordPolicyWithDefaults instantiates a new OrganizationsettingsputPasswordPolicy object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationsettingsputPasswordPolicy) GetAllowUsernameSubstring

func (o *OrganizationsettingsputPasswordPolicy) GetAllowUsernameSubstring() bool

GetAllowUsernameSubstring returns the AllowUsernameSubstring field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetAllowUsernameSubstringOk

func (o *OrganizationsettingsputPasswordPolicy) GetAllowUsernameSubstringOk() (*bool, bool)

GetAllowUsernameSubstringOk returns a tuple with the AllowUsernameSubstring field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) GetDaysAfterExpirationToSelfRecover() int32

GetDaysAfterExpirationToSelfRecover returns the DaysAfterExpirationToSelfRecover field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetDaysAfterExpirationToSelfRecoverOk

func (o *OrganizationsettingsputPasswordPolicy) GetDaysAfterExpirationToSelfRecoverOk() (*int32, bool)

GetDaysAfterExpirationToSelfRecoverOk returns a tuple with the DaysAfterExpirationToSelfRecover field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) GetDaysBeforeExpirationToForceReset() int32

GetDaysBeforeExpirationToForceReset returns the DaysBeforeExpirationToForceReset field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetDaysBeforeExpirationToForceResetOk

func (o *OrganizationsettingsputPasswordPolicy) GetDaysBeforeExpirationToForceResetOk() (*int32, bool)

GetDaysBeforeExpirationToForceResetOk returns a tuple with the DaysBeforeExpirationToForceReset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEffectiveDate

func (o *OrganizationsettingsputPasswordPolicy) GetEffectiveDate() string

GetEffectiveDate returns the EffectiveDate field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEffectiveDateOk

func (o *OrganizationsettingsputPasswordPolicy) GetEffectiveDateOk() (*string, bool)

GetEffectiveDateOk returns a tuple with the EffectiveDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecover() bool

GetEnableDaysAfterExpirationToSelfRecover returns the EnableDaysAfterExpirationToSelfRecover field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecoverOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableDaysAfterExpirationToSelfRecoverOk() (*bool, bool)

GetEnableDaysAfterExpirationToSelfRecoverOk returns a tuple with the EnableDaysAfterExpirationToSelfRecover field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) GetEnableDaysBeforeExpirationToForceReset() bool

GetEnableDaysBeforeExpirationToForceReset returns the EnableDaysBeforeExpirationToForceReset field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableDaysBeforeExpirationToForceResetOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableDaysBeforeExpirationToForceResetOk() (*bool, bool)

GetEnableDaysBeforeExpirationToForceResetOk returns a tuple with the EnableDaysBeforeExpirationToForceReset field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) GetEnableLockoutTimeInSeconds() bool

GetEnableLockoutTimeInSeconds returns the EnableLockoutTimeInSeconds field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableLockoutTimeInSecondsOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableLockoutTimeInSecondsOk() (*bool, bool)

GetEnableLockoutTimeInSecondsOk returns a tuple with the EnableLockoutTimeInSeconds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMaxHistory() bool

GetEnableMaxHistory returns the EnableMaxHistory field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMaxHistoryOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMaxHistoryOk() (*bool, bool)

GetEnableMaxHistoryOk returns a tuple with the EnableMaxHistory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMaxLoginAttempts() bool

GetEnableMaxLoginAttempts returns the EnableMaxLoginAttempts field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMaxLoginAttemptsOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMaxLoginAttemptsOk() (*bool, bool)

GetEnableMaxLoginAttemptsOk returns a tuple with the EnableMaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMinChangePeriodInDays() bool

GetEnableMinChangePeriodInDays returns the EnableMinChangePeriodInDays field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMinChangePeriodInDaysOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMinChangePeriodInDaysOk() (*bool, bool)

GetEnableMinChangePeriodInDaysOk returns a tuple with the EnableMinChangePeriodInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMinLength

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMinLength() bool

GetEnableMinLength returns the EnableMinLength field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnableMinLengthOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnableMinLengthOk() (*bool, bool)

GetEnableMinLengthOk returns a tuple with the EnableMinLength field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetEnablePasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) GetEnablePasswordExpirationInDays() bool

GetEnablePasswordExpirationInDays returns the EnablePasswordExpirationInDays field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetEnablePasswordExpirationInDaysOk

func (o *OrganizationsettingsputPasswordPolicy) GetEnablePasswordExpirationInDaysOk() (*bool, bool)

GetEnablePasswordExpirationInDaysOk returns a tuple with the EnablePasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetGracePeriodDate

func (o *OrganizationsettingsputPasswordPolicy) GetGracePeriodDate() string

GetGracePeriodDate returns the GracePeriodDate field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetGracePeriodDateOk

func (o *OrganizationsettingsputPasswordPolicy) GetGracePeriodDateOk() (*string, bool)

GetGracePeriodDateOk returns a tuple with the GracePeriodDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) GetLockoutTimeInSeconds() int32

GetLockoutTimeInSeconds returns the LockoutTimeInSeconds field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetLockoutTimeInSecondsOk

func (o *OrganizationsettingsputPasswordPolicy) GetLockoutTimeInSecondsOk() (*int32, bool)

GetLockoutTimeInSecondsOk returns a tuple with the LockoutTimeInSeconds field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) GetMaxHistory() int32

GetMaxHistory returns the MaxHistory field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetMaxHistoryOk

func (o *OrganizationsettingsputPasswordPolicy) GetMaxHistoryOk() (*int32, bool)

GetMaxHistoryOk returns a tuple with the MaxHistory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) GetMaxLoginAttempts() int32

GetMaxLoginAttempts returns the MaxLoginAttempts field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetMaxLoginAttemptsOk

func (o *OrganizationsettingsputPasswordPolicy) GetMaxLoginAttemptsOk() (*int32, bool)

GetMaxLoginAttemptsOk returns a tuple with the MaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) GetMinChangePeriodInDays() int32

GetMinChangePeriodInDays returns the MinChangePeriodInDays field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetMinChangePeriodInDaysOk

func (o *OrganizationsettingsputPasswordPolicy) GetMinChangePeriodInDaysOk() (*int32, bool)

GetMinChangePeriodInDaysOk returns a tuple with the MinChangePeriodInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetMinLength

func (o *OrganizationsettingsputPasswordPolicy) GetMinLength() int32

GetMinLength returns the MinLength field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetMinLengthOk

func (o *OrganizationsettingsputPasswordPolicy) GetMinLengthOk() (*int32, bool)

GetMinLengthOk returns a tuple with the MinLength field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsLowercase

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsLowercase() bool

GetNeedsLowercase returns the NeedsLowercase field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsLowercaseOk

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsLowercaseOk() (*bool, bool)

GetNeedsLowercaseOk returns a tuple with the NeedsLowercase field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsNumeric

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsNumeric() bool

GetNeedsNumeric returns the NeedsNumeric field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsNumericOk

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsNumericOk() (*bool, bool)

GetNeedsNumericOk returns a tuple with the NeedsNumeric field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsSymbolic

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsSymbolic() bool

GetNeedsSymbolic returns the NeedsSymbolic field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsSymbolicOk

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsSymbolicOk() (*bool, bool)

GetNeedsSymbolicOk returns a tuple with the NeedsSymbolic field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsUppercase

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsUppercase() bool

GetNeedsUppercase returns the NeedsUppercase field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetNeedsUppercaseOk

func (o *OrganizationsettingsputPasswordPolicy) GetNeedsUppercaseOk() (*bool, bool)

GetNeedsUppercaseOk returns a tuple with the NeedsUppercase field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) GetPasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) GetPasswordExpirationInDays() int32

GetPasswordExpirationInDays returns the PasswordExpirationInDays field value if set, zero value otherwise.

func (*OrganizationsettingsputPasswordPolicy) GetPasswordExpirationInDaysOk

func (o *OrganizationsettingsputPasswordPolicy) GetPasswordExpirationInDaysOk() (*int32, bool)

GetPasswordExpirationInDaysOk returns a tuple with the PasswordExpirationInDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationsettingsputPasswordPolicy) HasAllowUsernameSubstring

func (o *OrganizationsettingsputPasswordPolicy) HasAllowUsernameSubstring() bool

HasAllowUsernameSubstring returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) HasDaysAfterExpirationToSelfRecover() bool

HasDaysAfterExpirationToSelfRecover returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) HasDaysBeforeExpirationToForceReset() bool

HasDaysBeforeExpirationToForceReset returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEffectiveDate

func (o *OrganizationsettingsputPasswordPolicy) HasEffectiveDate() bool

HasEffectiveDate returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) HasEnableDaysAfterExpirationToSelfRecover() bool

HasEnableDaysAfterExpirationToSelfRecover returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) HasEnableDaysBeforeExpirationToForceReset() bool

HasEnableDaysBeforeExpirationToForceReset returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) HasEnableLockoutTimeInSeconds() bool

HasEnableLockoutTimeInSeconds returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) HasEnableMaxHistory() bool

HasEnableMaxHistory returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) HasEnableMaxLoginAttempts() bool

HasEnableMaxLoginAttempts returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) HasEnableMinChangePeriodInDays() bool

HasEnableMinChangePeriodInDays returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnableMinLength

func (o *OrganizationsettingsputPasswordPolicy) HasEnableMinLength() bool

HasEnableMinLength returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasEnablePasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) HasEnablePasswordExpirationInDays() bool

HasEnablePasswordExpirationInDays returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasGracePeriodDate

func (o *OrganizationsettingsputPasswordPolicy) HasGracePeriodDate() bool

HasGracePeriodDate returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) HasLockoutTimeInSeconds() bool

HasLockoutTimeInSeconds returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) HasMaxHistory() bool

HasMaxHistory returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) HasMaxLoginAttempts() bool

HasMaxLoginAttempts returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) HasMinChangePeriodInDays() bool

HasMinChangePeriodInDays returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasMinLength

func (o *OrganizationsettingsputPasswordPolicy) HasMinLength() bool

HasMinLength returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasNeedsLowercase

func (o *OrganizationsettingsputPasswordPolicy) HasNeedsLowercase() bool

HasNeedsLowercase returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasNeedsNumeric

func (o *OrganizationsettingsputPasswordPolicy) HasNeedsNumeric() bool

HasNeedsNumeric returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasNeedsSymbolic

func (o *OrganizationsettingsputPasswordPolicy) HasNeedsSymbolic() bool

HasNeedsSymbolic returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasNeedsUppercase

func (o *OrganizationsettingsputPasswordPolicy) HasNeedsUppercase() bool

HasNeedsUppercase returns a boolean if a field has been set.

func (*OrganizationsettingsputPasswordPolicy) HasPasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) HasPasswordExpirationInDays() bool

HasPasswordExpirationInDays returns a boolean if a field has been set.

func (OrganizationsettingsputPasswordPolicy) MarshalJSON

func (o OrganizationsettingsputPasswordPolicy) MarshalJSON() ([]byte, error)

func (*OrganizationsettingsputPasswordPolicy) SetAllowUsernameSubstring

func (o *OrganizationsettingsputPasswordPolicy) SetAllowUsernameSubstring(v bool)

SetAllowUsernameSubstring gets a reference to the given bool and assigns it to the AllowUsernameSubstring field.

func (*OrganizationsettingsputPasswordPolicy) SetDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) SetDaysAfterExpirationToSelfRecover(v int32)

SetDaysAfterExpirationToSelfRecover gets a reference to the given int32 and assigns it to the DaysAfterExpirationToSelfRecover field.

func (*OrganizationsettingsputPasswordPolicy) SetDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) SetDaysBeforeExpirationToForceReset(v int32)

SetDaysBeforeExpirationToForceReset gets a reference to the given int32 and assigns it to the DaysBeforeExpirationToForceReset field.

func (*OrganizationsettingsputPasswordPolicy) SetEffectiveDate

func (o *OrganizationsettingsputPasswordPolicy) SetEffectiveDate(v string)

SetEffectiveDate gets a reference to the given string and assigns it to the EffectiveDate field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableDaysAfterExpirationToSelfRecover

func (o *OrganizationsettingsputPasswordPolicy) SetEnableDaysAfterExpirationToSelfRecover(v bool)

SetEnableDaysAfterExpirationToSelfRecover gets a reference to the given bool and assigns it to the EnableDaysAfterExpirationToSelfRecover field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableDaysBeforeExpirationToForceReset

func (o *OrganizationsettingsputPasswordPolicy) SetEnableDaysBeforeExpirationToForceReset(v bool)

SetEnableDaysBeforeExpirationToForceReset gets a reference to the given bool and assigns it to the EnableDaysBeforeExpirationToForceReset field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) SetEnableLockoutTimeInSeconds(v bool)

SetEnableLockoutTimeInSeconds gets a reference to the given bool and assigns it to the EnableLockoutTimeInSeconds field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) SetEnableMaxHistory(v bool)

SetEnableMaxHistory gets a reference to the given bool and assigns it to the EnableMaxHistory field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) SetEnableMaxLoginAttempts(v bool)

SetEnableMaxLoginAttempts gets a reference to the given bool and assigns it to the EnableMaxLoginAttempts field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) SetEnableMinChangePeriodInDays(v bool)

SetEnableMinChangePeriodInDays gets a reference to the given bool and assigns it to the EnableMinChangePeriodInDays field.

func (*OrganizationsettingsputPasswordPolicy) SetEnableMinLength

func (o *OrganizationsettingsputPasswordPolicy) SetEnableMinLength(v bool)

SetEnableMinLength gets a reference to the given bool and assigns it to the EnableMinLength field.

func (*OrganizationsettingsputPasswordPolicy) SetEnablePasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) SetEnablePasswordExpirationInDays(v bool)

SetEnablePasswordExpirationInDays gets a reference to the given bool and assigns it to the EnablePasswordExpirationInDays field.

func (*OrganizationsettingsputPasswordPolicy) SetGracePeriodDate

func (o *OrganizationsettingsputPasswordPolicy) SetGracePeriodDate(v string)

SetGracePeriodDate gets a reference to the given string and assigns it to the GracePeriodDate field.

func (*OrganizationsettingsputPasswordPolicy) SetLockoutTimeInSeconds

func (o *OrganizationsettingsputPasswordPolicy) SetLockoutTimeInSeconds(v int32)

SetLockoutTimeInSeconds gets a reference to the given int32 and assigns it to the LockoutTimeInSeconds field.

func (*OrganizationsettingsputPasswordPolicy) SetMaxHistory

func (o *OrganizationsettingsputPasswordPolicy) SetMaxHistory(v int32)

SetMaxHistory gets a reference to the given int32 and assigns it to the MaxHistory field.

func (*OrganizationsettingsputPasswordPolicy) SetMaxLoginAttempts

func (o *OrganizationsettingsputPasswordPolicy) SetMaxLoginAttempts(v int32)

SetMaxLoginAttempts gets a reference to the given int32 and assigns it to the MaxLoginAttempts field.

func (*OrganizationsettingsputPasswordPolicy) SetMinChangePeriodInDays

func (o *OrganizationsettingsputPasswordPolicy) SetMinChangePeriodInDays(v int32)

SetMinChangePeriodInDays gets a reference to the given int32 and assigns it to the MinChangePeriodInDays field.

func (*OrganizationsettingsputPasswordPolicy) SetMinLength

func (o *OrganizationsettingsputPasswordPolicy) SetMinLength(v int32)

SetMinLength gets a reference to the given int32 and assigns it to the MinLength field.

func (*OrganizationsettingsputPasswordPolicy) SetNeedsLowercase

func (o *OrganizationsettingsputPasswordPolicy) SetNeedsLowercase(v bool)

SetNeedsLowercase gets a reference to the given bool and assigns it to the NeedsLowercase field.

func (*OrganizationsettingsputPasswordPolicy) SetNeedsNumeric

func (o *OrganizationsettingsputPasswordPolicy) SetNeedsNumeric(v bool)

SetNeedsNumeric gets a reference to the given bool and assigns it to the NeedsNumeric field.

func (*OrganizationsettingsputPasswordPolicy) SetNeedsSymbolic

func (o *OrganizationsettingsputPasswordPolicy) SetNeedsSymbolic(v bool)

SetNeedsSymbolic gets a reference to the given bool and assigns it to the NeedsSymbolic field.

func (*OrganizationsettingsputPasswordPolicy) SetNeedsUppercase

func (o *OrganizationsettingsputPasswordPolicy) SetNeedsUppercase(v bool)

SetNeedsUppercase gets a reference to the given bool and assigns it to the NeedsUppercase field.

func (*OrganizationsettingsputPasswordPolicy) SetPasswordExpirationInDays

func (o *OrganizationsettingsputPasswordPolicy) SetPasswordExpirationInDays(v int32)

SetPasswordExpirationInDays gets a reference to the given int32 and assigns it to the PasswordExpirationInDays field.

func (OrganizationsettingsputPasswordPolicy) ToMap

func (o OrganizationsettingsputPasswordPolicy) ToMap() (map[string]interface{}, error)

func (*OrganizationsettingsputPasswordPolicy) UnmarshalJSON

func (o *OrganizationsettingsputPasswordPolicy) UnmarshalJSON(bytes []byte) (err error)

type Organizationslist

type Organizationslist struct {
	// The list of organizations.
	Results []OrganizationslistResultsInner `json:"results,omitempty"`
	// The total number of organizations.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Organizationslist struct for Organizationslist

func NewOrganizationslist

func NewOrganizationslist() *Organizationslist

NewOrganizationslist instantiates a new Organizationslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationslistWithDefaults

func NewOrganizationslistWithDefaults() *Organizationslist

NewOrganizationslistWithDefaults instantiates a new Organizationslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Organizationslist) GetResults

GetResults returns the Results field value if set, zero value otherwise.

func (*Organizationslist) GetResultsOk

func (o *Organizationslist) GetResultsOk() ([]OrganizationslistResultsInner, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationslist) GetTotalCount

func (o *Organizationslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Organizationslist) GetTotalCountOk

func (o *Organizationslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Organizationslist) HasResults

func (o *Organizationslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Organizationslist) HasTotalCount

func (o *Organizationslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Organizationslist) MarshalJSON

func (o Organizationslist) MarshalJSON() ([]byte, error)

func (*Organizationslist) SetResults

SetResults gets a reference to the given []OrganizationslistResultsInner and assigns it to the Results field.

func (*Organizationslist) SetTotalCount

func (o *Organizationslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Organizationslist) ToMap

func (o Organizationslist) ToMap() (map[string]interface{}, error)

func (*Organizationslist) UnmarshalJSON

func (o *Organizationslist) UnmarshalJSON(bytes []byte) (err error)

type OrganizationslistResultsInner

type OrganizationslistResultsInner struct {
	// The ID of the organization.
	Id *string `json:"_id,omitempty"`
	// The name of the organization.
	DisplayName *string `json:"displayName,omitempty"`
	// The organization logo image URL.
	LogoUrl              *string `json:"logoUrl,omitempty"`
	AdditionalProperties map[string]interface{}
}

OrganizationslistResultsInner struct for OrganizationslistResultsInner

func NewOrganizationslistResultsInner

func NewOrganizationslistResultsInner() *OrganizationslistResultsInner

NewOrganizationslistResultsInner instantiates a new OrganizationslistResultsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewOrganizationslistResultsInnerWithDefaults

func NewOrganizationslistResultsInnerWithDefaults() *OrganizationslistResultsInner

NewOrganizationslistResultsInnerWithDefaults instantiates a new OrganizationslistResultsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*OrganizationslistResultsInner) GetDisplayName

func (o *OrganizationslistResultsInner) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*OrganizationslistResultsInner) GetDisplayNameOk

func (o *OrganizationslistResultsInner) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationslistResultsInner) GetId

GetId returns the Id field value if set, zero value otherwise.

func (*OrganizationslistResultsInner) GetIdOk

func (o *OrganizationslistResultsInner) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationslistResultsInner) GetLogoUrl

func (o *OrganizationslistResultsInner) GetLogoUrl() string

GetLogoUrl returns the LogoUrl field value if set, zero value otherwise.

func (*OrganizationslistResultsInner) GetLogoUrlOk

func (o *OrganizationslistResultsInner) GetLogoUrlOk() (*string, bool)

GetLogoUrlOk returns a tuple with the LogoUrl field value if set, nil otherwise and a boolean to check if the value has been set.

func (*OrganizationslistResultsInner) HasDisplayName

func (o *OrganizationslistResultsInner) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*OrganizationslistResultsInner) HasId

HasId returns a boolean if a field has been set.

func (*OrganizationslistResultsInner) HasLogoUrl

func (o *OrganizationslistResultsInner) HasLogoUrl() bool

HasLogoUrl returns a boolean if a field has been set.

func (OrganizationslistResultsInner) MarshalJSON

func (o OrganizationslistResultsInner) MarshalJSON() ([]byte, error)

func (*OrganizationslistResultsInner) SetDisplayName

func (o *OrganizationslistResultsInner) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*OrganizationslistResultsInner) SetId

SetId gets a reference to the given string and assigns it to the Id field.

func (*OrganizationslistResultsInner) SetLogoUrl

func (o *OrganizationslistResultsInner) SetLogoUrl(v string)

SetLogoUrl gets a reference to the given string and assigns it to the LogoUrl field.

func (OrganizationslistResultsInner) ToMap

func (o OrganizationslistResultsInner) ToMap() (map[string]interface{}, error)

func (*OrganizationslistResultsInner) UnmarshalJSON

func (o *OrganizationslistResultsInner) UnmarshalJSON(bytes []byte) (err error)

type RadiusServersApiRadiusServersDeleteRequest

type RadiusServersApiRadiusServersDeleteRequest struct {
	ApiService *RadiusServersApiService
	// contains filtered or unexported fields
}

func (RadiusServersApiRadiusServersDeleteRequest) Execute

func (RadiusServersApiRadiusServersDeleteRequest) XOrgId

type RadiusServersApiRadiusServersGetRequest

type RadiusServersApiRadiusServersGetRequest struct {
	ApiService *RadiusServersApiService
	// contains filtered or unexported fields
}

func (RadiusServersApiRadiusServersGetRequest) Execute

func (RadiusServersApiRadiusServersGetRequest) XOrgId

type RadiusServersApiRadiusServersListRequest

type RadiusServersApiRadiusServersListRequest struct {
	ApiService *RadiusServersApiService
	// contains filtered or unexported fields
}

func (RadiusServersApiRadiusServersListRequest) Execute

func (RadiusServersApiRadiusServersListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (RadiusServersApiRadiusServersListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (RadiusServersApiRadiusServersListRequest) Limit

The number of records to return at once. Limited to 100.

func (RadiusServersApiRadiusServersListRequest) Skip

The offset into the records to return.

func (RadiusServersApiRadiusServersListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (RadiusServersApiRadiusServersListRequest) XOrgId

type RadiusServersApiRadiusServersPostRequest

type RadiusServersApiRadiusServersPostRequest struct {
	ApiService *RadiusServersApiService
	// contains filtered or unexported fields
}

func (RadiusServersApiRadiusServersPostRequest) Body

func (RadiusServersApiRadiusServersPostRequest) Execute

func (RadiusServersApiRadiusServersPostRequest) XOrgId

type RadiusServersApiRadiusServersPutRequest

type RadiusServersApiRadiusServersPutRequest struct {
	ApiService *RadiusServersApiService
	// contains filtered or unexported fields
}

func (RadiusServersApiRadiusServersPutRequest) Body

func (RadiusServersApiRadiusServersPutRequest) Execute

func (RadiusServersApiRadiusServersPutRequest) XOrgId

type RadiusServersApiService

type RadiusServersApiService service

RadiusServersApiService RadiusServersApi service

func (*RadiusServersApiService) RadiusServersDelete

RadiusServersDelete Delete Radius Server

This endpoint allows you to delete RADIUS servers in your organization. ```

curl -X DELETE https://console.jumpcloud.com/api/radiusservers/{ServerID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return RadiusServersApiRadiusServersDeleteRequest

func (*RadiusServersApiService) RadiusServersDeleteExecute

Execute executes the request

@return Radiusserverput

func (*RadiusServersApiService) RadiusServersGet

RadiusServersGet Get Radius Server

This endpoint allows you to get a RADIUS server in your organization.

#### ```

curl -X PUT https://console.jumpcloud.com/api/radiusservers/{ServerID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return RadiusServersApiRadiusServersGetRequest

func (*RadiusServersApiService) RadiusServersGetExecute

Execute executes the request

@return Radiusserver

func (*RadiusServersApiService) RadiusServersList

RadiusServersList List Radius Servers

This endpoint allows you to get a list of all RADIUS servers in your organization.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/radiusservers/ \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return RadiusServersApiRadiusServersListRequest

func (*RadiusServersApiService) RadiusServersListExecute

Execute executes the request

@return Radiusserverslist

func (*RadiusServersApiService) RadiusServersPost

RadiusServersPost Create a Radius Server

This endpoint allows you to create RADIUS servers in your organization.

#### Sample Request ```

curl -X POST https://console.jumpcloud.com/api/radiusservers/ \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
    "name": "{test_radius}",
    "networkSourceIp": "{0.0.0.0}",
    "sharedSecret":"{secretpassword}",
    "userLockoutAction": "REMOVE",
    "userPasswordExpirationAction": "MAINTAIN"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return RadiusServersApiRadiusServersPostRequest

func (*RadiusServersApiService) RadiusServersPostExecute

Execute executes the request

@return Radiusserver

func (*RadiusServersApiService) RadiusServersPut

RadiusServersPut Update Radius Servers

This endpoint allows you to update RADIUS servers in your organization.

#### ```

curl -X PUT https://console.jumpcloud.com/api/radiusservers/{ServerID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
    "name": "{name_update}",
    "networkSourceIp": "{0.0.0.0}",
    "sharedSecret": "{secret_password}",
    "userLockoutAction": "REMOVE",
    "userPasswordExpirationAction": "MAINTAIN"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return RadiusServersApiRadiusServersPutRequest

func (*RadiusServersApiService) RadiusServersPutExecute

Execute executes the request

@return Radiusserverput

type RadiusServersPutRequest

type RadiusServersPutRequest struct {
	CaCert                       *string  `json:"caCert,omitempty"`
	DeviceCertEnabled            *bool    `json:"deviceCertEnabled,omitempty"`
	Mfa                          *string  `json:"mfa,omitempty"`
	Name                         string   `json:"name"`
	NetworkSourceIp              string   `json:"networkSourceIp"`
	SharedSecret                 string   `json:"sharedSecret"`
	Tags                         []string `json:"tags,omitempty"`
	UserCertEnabled              *bool    `json:"userCertEnabled,omitempty"`
	UserLockoutAction            *string  `json:"userLockoutAction,omitempty"`
	UserPasswordEnabled          *bool    `json:"userPasswordEnabled,omitempty"`
	UserPasswordExpirationAction *string  `json:"userPasswordExpirationAction,omitempty"`
	AdditionalProperties         map[string]interface{}
}

RadiusServersPutRequest struct for RadiusServersPutRequest

func NewRadiusServersPutRequest

func NewRadiusServersPutRequest(name string, networkSourceIp string, sharedSecret string) *RadiusServersPutRequest

NewRadiusServersPutRequest instantiates a new RadiusServersPutRequest object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRadiusServersPutRequestWithDefaults

func NewRadiusServersPutRequestWithDefaults() *RadiusServersPutRequest

NewRadiusServersPutRequestWithDefaults instantiates a new RadiusServersPutRequest object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*RadiusServersPutRequest) GetCaCert

func (o *RadiusServersPutRequest) GetCaCert() string

GetCaCert returns the CaCert field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetCaCertOk

func (o *RadiusServersPutRequest) GetCaCertOk() (*string, bool)

GetCaCertOk returns a tuple with the CaCert field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetDeviceCertEnabled

func (o *RadiusServersPutRequest) GetDeviceCertEnabled() bool

GetDeviceCertEnabled returns the DeviceCertEnabled field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetDeviceCertEnabledOk

func (o *RadiusServersPutRequest) GetDeviceCertEnabledOk() (*bool, bool)

GetDeviceCertEnabledOk returns a tuple with the DeviceCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetMfa

func (o *RadiusServersPutRequest) GetMfa() string

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetMfaOk

func (o *RadiusServersPutRequest) GetMfaOk() (*string, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetName

func (o *RadiusServersPutRequest) GetName() string

GetName returns the Name field value

func (*RadiusServersPutRequest) GetNameOk

func (o *RadiusServersPutRequest) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetNetworkSourceIp

func (o *RadiusServersPutRequest) GetNetworkSourceIp() string

GetNetworkSourceIp returns the NetworkSourceIp field value

func (*RadiusServersPutRequest) GetNetworkSourceIpOk

func (o *RadiusServersPutRequest) GetNetworkSourceIpOk() (*string, bool)

GetNetworkSourceIpOk returns a tuple with the NetworkSourceIp field value and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetSharedSecret

func (o *RadiusServersPutRequest) GetSharedSecret() string

GetSharedSecret returns the SharedSecret field value

func (*RadiusServersPutRequest) GetSharedSecretOk

func (o *RadiusServersPutRequest) GetSharedSecretOk() (*string, bool)

GetSharedSecretOk returns a tuple with the SharedSecret field value and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetTags

func (o *RadiusServersPutRequest) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetTagsOk

func (o *RadiusServersPutRequest) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetUserCertEnabled

func (o *RadiusServersPutRequest) GetUserCertEnabled() bool

GetUserCertEnabled returns the UserCertEnabled field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetUserCertEnabledOk

func (o *RadiusServersPutRequest) GetUserCertEnabledOk() (*bool, bool)

GetUserCertEnabledOk returns a tuple with the UserCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetUserLockoutAction

func (o *RadiusServersPutRequest) GetUserLockoutAction() string

GetUserLockoutAction returns the UserLockoutAction field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetUserLockoutActionOk

func (o *RadiusServersPutRequest) GetUserLockoutActionOk() (*string, bool)

GetUserLockoutActionOk returns a tuple with the UserLockoutAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetUserPasswordEnabled

func (o *RadiusServersPutRequest) GetUserPasswordEnabled() bool

GetUserPasswordEnabled returns the UserPasswordEnabled field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetUserPasswordEnabledOk

func (o *RadiusServersPutRequest) GetUserPasswordEnabledOk() (*bool, bool)

GetUserPasswordEnabledOk returns a tuple with the UserPasswordEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) GetUserPasswordExpirationAction

func (o *RadiusServersPutRequest) GetUserPasswordExpirationAction() string

GetUserPasswordExpirationAction returns the UserPasswordExpirationAction field value if set, zero value otherwise.

func (*RadiusServersPutRequest) GetUserPasswordExpirationActionOk

func (o *RadiusServersPutRequest) GetUserPasswordExpirationActionOk() (*string, bool)

GetUserPasswordExpirationActionOk returns a tuple with the UserPasswordExpirationAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*RadiusServersPutRequest) HasCaCert

func (o *RadiusServersPutRequest) HasCaCert() bool

HasCaCert returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasDeviceCertEnabled

func (o *RadiusServersPutRequest) HasDeviceCertEnabled() bool

HasDeviceCertEnabled returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasMfa

func (o *RadiusServersPutRequest) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasTags

func (o *RadiusServersPutRequest) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasUserCertEnabled

func (o *RadiusServersPutRequest) HasUserCertEnabled() bool

HasUserCertEnabled returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasUserLockoutAction

func (o *RadiusServersPutRequest) HasUserLockoutAction() bool

HasUserLockoutAction returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasUserPasswordEnabled

func (o *RadiusServersPutRequest) HasUserPasswordEnabled() bool

HasUserPasswordEnabled returns a boolean if a field has been set.

func (*RadiusServersPutRequest) HasUserPasswordExpirationAction

func (o *RadiusServersPutRequest) HasUserPasswordExpirationAction() bool

HasUserPasswordExpirationAction returns a boolean if a field has been set.

func (RadiusServersPutRequest) MarshalJSON

func (o RadiusServersPutRequest) MarshalJSON() ([]byte, error)

func (*RadiusServersPutRequest) SetCaCert

func (o *RadiusServersPutRequest) SetCaCert(v string)

SetCaCert gets a reference to the given string and assigns it to the CaCert field.

func (*RadiusServersPutRequest) SetDeviceCertEnabled

func (o *RadiusServersPutRequest) SetDeviceCertEnabled(v bool)

SetDeviceCertEnabled gets a reference to the given bool and assigns it to the DeviceCertEnabled field.

func (*RadiusServersPutRequest) SetMfa

func (o *RadiusServersPutRequest) SetMfa(v string)

SetMfa gets a reference to the given string and assigns it to the Mfa field.

func (*RadiusServersPutRequest) SetName

func (o *RadiusServersPutRequest) SetName(v string)

SetName sets field value

func (*RadiusServersPutRequest) SetNetworkSourceIp

func (o *RadiusServersPutRequest) SetNetworkSourceIp(v string)

SetNetworkSourceIp sets field value

func (*RadiusServersPutRequest) SetSharedSecret

func (o *RadiusServersPutRequest) SetSharedSecret(v string)

SetSharedSecret sets field value

func (*RadiusServersPutRequest) SetTags

func (o *RadiusServersPutRequest) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*RadiusServersPutRequest) SetUserCertEnabled

func (o *RadiusServersPutRequest) SetUserCertEnabled(v bool)

SetUserCertEnabled gets a reference to the given bool and assigns it to the UserCertEnabled field.

func (*RadiusServersPutRequest) SetUserLockoutAction

func (o *RadiusServersPutRequest) SetUserLockoutAction(v string)

SetUserLockoutAction gets a reference to the given string and assigns it to the UserLockoutAction field.

func (*RadiusServersPutRequest) SetUserPasswordEnabled

func (o *RadiusServersPutRequest) SetUserPasswordEnabled(v bool)

SetUserPasswordEnabled gets a reference to the given bool and assigns it to the UserPasswordEnabled field.

func (*RadiusServersPutRequest) SetUserPasswordExpirationAction

func (o *RadiusServersPutRequest) SetUserPasswordExpirationAction(v string)

SetUserPasswordExpirationAction gets a reference to the given string and assigns it to the UserPasswordExpirationAction field.

func (RadiusServersPutRequest) ToMap

func (o RadiusServersPutRequest) ToMap() (map[string]interface{}, error)

func (*RadiusServersPutRequest) UnmarshalJSON

func (o *RadiusServersPutRequest) UnmarshalJSON(bytes []byte) (err error)

type Radiusserver

type Radiusserver struct {
	Id                           *string  `json:"_id,omitempty"`
	AuthIdp                      *string  `json:"authIdp,omitempty"`
	CaCert                       *string  `json:"caCert,omitempty"`
	DeviceCertEnabled            *bool    `json:"deviceCertEnabled,omitempty"`
	Mfa                          *string  `json:"mfa,omitempty"`
	Name                         *string  `json:"name,omitempty"`
	NetworkSourceIp              *string  `json:"networkSourceIp,omitempty"`
	Organization                 *string  `json:"organization,omitempty"`
	SharedSecret                 *string  `json:"sharedSecret,omitempty"`
	TagNames                     []string `json:"tagNames,omitempty"`
	Tags                         []string `json:"tags,omitempty"`
	UserCertEnabled              *bool    `json:"userCertEnabled,omitempty"`
	UserLockoutAction            *string  `json:"userLockoutAction,omitempty"`
	UserPasswordEnabled          *bool    `json:"userPasswordEnabled,omitempty"`
	UserPasswordExpirationAction *string  `json:"userPasswordExpirationAction,omitempty"`
	AdditionalProperties         map[string]interface{}
}

Radiusserver struct for Radiusserver

func NewRadiusserver

func NewRadiusserver() *Radiusserver

NewRadiusserver instantiates a new Radiusserver object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRadiusserverWithDefaults

func NewRadiusserverWithDefaults() *Radiusserver

NewRadiusserverWithDefaults instantiates a new Radiusserver object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Radiusserver) GetAuthIdp

func (o *Radiusserver) GetAuthIdp() string

GetAuthIdp returns the AuthIdp field value if set, zero value otherwise.

func (*Radiusserver) GetAuthIdpOk

func (o *Radiusserver) GetAuthIdpOk() (*string, bool)

GetAuthIdpOk returns a tuple with the AuthIdp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetCaCert

func (o *Radiusserver) GetCaCert() string

GetCaCert returns the CaCert field value if set, zero value otherwise.

func (*Radiusserver) GetCaCertOk

func (o *Radiusserver) GetCaCertOk() (*string, bool)

GetCaCertOk returns a tuple with the CaCert field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetDeviceCertEnabled

func (o *Radiusserver) GetDeviceCertEnabled() bool

GetDeviceCertEnabled returns the DeviceCertEnabled field value if set, zero value otherwise.

func (*Radiusserver) GetDeviceCertEnabledOk

func (o *Radiusserver) GetDeviceCertEnabledOk() (*bool, bool)

GetDeviceCertEnabledOk returns a tuple with the DeviceCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetId

func (o *Radiusserver) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Radiusserver) GetIdOk

func (o *Radiusserver) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetMfa

func (o *Radiusserver) GetMfa() string

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Radiusserver) GetMfaOk

func (o *Radiusserver) GetMfaOk() (*string, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetName

func (o *Radiusserver) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Radiusserver) GetNameOk

func (o *Radiusserver) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetNetworkSourceIp

func (o *Radiusserver) GetNetworkSourceIp() string

GetNetworkSourceIp returns the NetworkSourceIp field value if set, zero value otherwise.

func (*Radiusserver) GetNetworkSourceIpOk

func (o *Radiusserver) GetNetworkSourceIpOk() (*string, bool)

GetNetworkSourceIpOk returns a tuple with the NetworkSourceIp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetOrganization

func (o *Radiusserver) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Radiusserver) GetOrganizationOk

func (o *Radiusserver) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetSharedSecret

func (o *Radiusserver) GetSharedSecret() string

GetSharedSecret returns the SharedSecret field value if set, zero value otherwise.

func (*Radiusserver) GetSharedSecretOk

func (o *Radiusserver) GetSharedSecretOk() (*string, bool)

GetSharedSecretOk returns a tuple with the SharedSecret field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetTagNames

func (o *Radiusserver) GetTagNames() []string

GetTagNames returns the TagNames field value if set, zero value otherwise.

func (*Radiusserver) GetTagNamesOk

func (o *Radiusserver) GetTagNamesOk() ([]string, bool)

GetTagNamesOk returns a tuple with the TagNames field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetTags

func (o *Radiusserver) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*Radiusserver) GetTagsOk

func (o *Radiusserver) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetUserCertEnabled

func (o *Radiusserver) GetUserCertEnabled() bool

GetUserCertEnabled returns the UserCertEnabled field value if set, zero value otherwise.

func (*Radiusserver) GetUserCertEnabledOk

func (o *Radiusserver) GetUserCertEnabledOk() (*bool, bool)

GetUserCertEnabledOk returns a tuple with the UserCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetUserLockoutAction

func (o *Radiusserver) GetUserLockoutAction() string

GetUserLockoutAction returns the UserLockoutAction field value if set, zero value otherwise.

func (*Radiusserver) GetUserLockoutActionOk

func (o *Radiusserver) GetUserLockoutActionOk() (*string, bool)

GetUserLockoutActionOk returns a tuple with the UserLockoutAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetUserPasswordEnabled

func (o *Radiusserver) GetUserPasswordEnabled() bool

GetUserPasswordEnabled returns the UserPasswordEnabled field value if set, zero value otherwise.

func (*Radiusserver) GetUserPasswordEnabledOk

func (o *Radiusserver) GetUserPasswordEnabledOk() (*bool, bool)

GetUserPasswordEnabledOk returns a tuple with the UserPasswordEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) GetUserPasswordExpirationAction

func (o *Radiusserver) GetUserPasswordExpirationAction() string

GetUserPasswordExpirationAction returns the UserPasswordExpirationAction field value if set, zero value otherwise.

func (*Radiusserver) GetUserPasswordExpirationActionOk

func (o *Radiusserver) GetUserPasswordExpirationActionOk() (*string, bool)

GetUserPasswordExpirationActionOk returns a tuple with the UserPasswordExpirationAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserver) HasAuthIdp

func (o *Radiusserver) HasAuthIdp() bool

HasAuthIdp returns a boolean if a field has been set.

func (*Radiusserver) HasCaCert

func (o *Radiusserver) HasCaCert() bool

HasCaCert returns a boolean if a field has been set.

func (*Radiusserver) HasDeviceCertEnabled

func (o *Radiusserver) HasDeviceCertEnabled() bool

HasDeviceCertEnabled returns a boolean if a field has been set.

func (*Radiusserver) HasId

func (o *Radiusserver) HasId() bool

HasId returns a boolean if a field has been set.

func (*Radiusserver) HasMfa

func (o *Radiusserver) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Radiusserver) HasName

func (o *Radiusserver) HasName() bool

HasName returns a boolean if a field has been set.

func (*Radiusserver) HasNetworkSourceIp

func (o *Radiusserver) HasNetworkSourceIp() bool

HasNetworkSourceIp returns a boolean if a field has been set.

func (*Radiusserver) HasOrganization

func (o *Radiusserver) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Radiusserver) HasSharedSecret

func (o *Radiusserver) HasSharedSecret() bool

HasSharedSecret returns a boolean if a field has been set.

func (*Radiusserver) HasTagNames

func (o *Radiusserver) HasTagNames() bool

HasTagNames returns a boolean if a field has been set.

func (*Radiusserver) HasTags

func (o *Radiusserver) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*Radiusserver) HasUserCertEnabled

func (o *Radiusserver) HasUserCertEnabled() bool

HasUserCertEnabled returns a boolean if a field has been set.

func (*Radiusserver) HasUserLockoutAction

func (o *Radiusserver) HasUserLockoutAction() bool

HasUserLockoutAction returns a boolean if a field has been set.

func (*Radiusserver) HasUserPasswordEnabled

func (o *Radiusserver) HasUserPasswordEnabled() bool

HasUserPasswordEnabled returns a boolean if a field has been set.

func (*Radiusserver) HasUserPasswordExpirationAction

func (o *Radiusserver) HasUserPasswordExpirationAction() bool

HasUserPasswordExpirationAction returns a boolean if a field has been set.

func (Radiusserver) MarshalJSON

func (o Radiusserver) MarshalJSON() ([]byte, error)

func (*Radiusserver) SetAuthIdp

func (o *Radiusserver) SetAuthIdp(v string)

SetAuthIdp gets a reference to the given string and assigns it to the AuthIdp field.

func (*Radiusserver) SetCaCert

func (o *Radiusserver) SetCaCert(v string)

SetCaCert gets a reference to the given string and assigns it to the CaCert field.

func (*Radiusserver) SetDeviceCertEnabled

func (o *Radiusserver) SetDeviceCertEnabled(v bool)

SetDeviceCertEnabled gets a reference to the given bool and assigns it to the DeviceCertEnabled field.

func (*Radiusserver) SetId

func (o *Radiusserver) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Radiusserver) SetMfa

func (o *Radiusserver) SetMfa(v string)

SetMfa gets a reference to the given string and assigns it to the Mfa field.

func (*Radiusserver) SetName

func (o *Radiusserver) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Radiusserver) SetNetworkSourceIp

func (o *Radiusserver) SetNetworkSourceIp(v string)

SetNetworkSourceIp gets a reference to the given string and assigns it to the NetworkSourceIp field.

func (*Radiusserver) SetOrganization

func (o *Radiusserver) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Radiusserver) SetSharedSecret

func (o *Radiusserver) SetSharedSecret(v string)

SetSharedSecret gets a reference to the given string and assigns it to the SharedSecret field.

func (*Radiusserver) SetTagNames

func (o *Radiusserver) SetTagNames(v []string)

SetTagNames gets a reference to the given []string and assigns it to the TagNames field.

func (*Radiusserver) SetTags

func (o *Radiusserver) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*Radiusserver) SetUserCertEnabled

func (o *Radiusserver) SetUserCertEnabled(v bool)

SetUserCertEnabled gets a reference to the given bool and assigns it to the UserCertEnabled field.

func (*Radiusserver) SetUserLockoutAction

func (o *Radiusserver) SetUserLockoutAction(v string)

SetUserLockoutAction gets a reference to the given string and assigns it to the UserLockoutAction field.

func (*Radiusserver) SetUserPasswordEnabled

func (o *Radiusserver) SetUserPasswordEnabled(v bool)

SetUserPasswordEnabled gets a reference to the given bool and assigns it to the UserPasswordEnabled field.

func (*Radiusserver) SetUserPasswordExpirationAction

func (o *Radiusserver) SetUserPasswordExpirationAction(v string)

SetUserPasswordExpirationAction gets a reference to the given string and assigns it to the UserPasswordExpirationAction field.

func (Radiusserver) ToMap

func (o Radiusserver) ToMap() (map[string]interface{}, error)

func (*Radiusserver) UnmarshalJSON

func (o *Radiusserver) UnmarshalJSON(bytes []byte) (err error)

type Radiusserverpost

type Radiusserverpost struct {
	AuthIdp           *string `json:"authIdp,omitempty"`
	CaCert            *string `json:"caCert,omitempty"`
	DeviceCertEnabled *bool   `json:"deviceCertEnabled,omitempty"`
	Mfa               *string `json:"mfa,omitempty"`
	Name              string  `json:"name"`
	NetworkSourceIp   string  `json:"networkSourceIp"`
	// RADIUS shared secret between the server and client.
	SharedSecret                 string   `json:"sharedSecret"`
	TagNames                     []string `json:"tagNames,omitempty"`
	UserCertEnabled              *bool    `json:"userCertEnabled,omitempty"`
	UserLockoutAction            *string  `json:"userLockoutAction,omitempty"`
	UserPasswordEnabled          *bool    `json:"userPasswordEnabled,omitempty"`
	UserPasswordExpirationAction *string  `json:"userPasswordExpirationAction,omitempty"`
	AdditionalProperties         map[string]interface{}
}

Radiusserverpost struct for Radiusserverpost

func NewRadiusserverpost

func NewRadiusserverpost(name string, networkSourceIp string, sharedSecret string) *Radiusserverpost

NewRadiusserverpost instantiates a new Radiusserverpost object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRadiusserverpostWithDefaults

func NewRadiusserverpostWithDefaults() *Radiusserverpost

NewRadiusserverpostWithDefaults instantiates a new Radiusserverpost object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Radiusserverpost) GetAuthIdp

func (o *Radiusserverpost) GetAuthIdp() string

GetAuthIdp returns the AuthIdp field value if set, zero value otherwise.

func (*Radiusserverpost) GetAuthIdpOk

func (o *Radiusserverpost) GetAuthIdpOk() (*string, bool)

GetAuthIdpOk returns a tuple with the AuthIdp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetCaCert

func (o *Radiusserverpost) GetCaCert() string

GetCaCert returns the CaCert field value if set, zero value otherwise.

func (*Radiusserverpost) GetCaCertOk

func (o *Radiusserverpost) GetCaCertOk() (*string, bool)

GetCaCertOk returns a tuple with the CaCert field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetDeviceCertEnabled

func (o *Radiusserverpost) GetDeviceCertEnabled() bool

GetDeviceCertEnabled returns the DeviceCertEnabled field value if set, zero value otherwise.

func (*Radiusserverpost) GetDeviceCertEnabledOk

func (o *Radiusserverpost) GetDeviceCertEnabledOk() (*bool, bool)

GetDeviceCertEnabledOk returns a tuple with the DeviceCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetMfa

func (o *Radiusserverpost) GetMfa() string

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Radiusserverpost) GetMfaOk

func (o *Radiusserverpost) GetMfaOk() (*string, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetName

func (o *Radiusserverpost) GetName() string

GetName returns the Name field value

func (*Radiusserverpost) GetNameOk

func (o *Radiusserverpost) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*Radiusserverpost) GetNetworkSourceIp

func (o *Radiusserverpost) GetNetworkSourceIp() string

GetNetworkSourceIp returns the NetworkSourceIp field value

func (*Radiusserverpost) GetNetworkSourceIpOk

func (o *Radiusserverpost) GetNetworkSourceIpOk() (*string, bool)

GetNetworkSourceIpOk returns a tuple with the NetworkSourceIp field value and a boolean to check if the value has been set.

func (*Radiusserverpost) GetSharedSecret

func (o *Radiusserverpost) GetSharedSecret() string

GetSharedSecret returns the SharedSecret field value

func (*Radiusserverpost) GetSharedSecretOk

func (o *Radiusserverpost) GetSharedSecretOk() (*string, bool)

GetSharedSecretOk returns a tuple with the SharedSecret field value and a boolean to check if the value has been set.

func (*Radiusserverpost) GetTagNames

func (o *Radiusserverpost) GetTagNames() []string

GetTagNames returns the TagNames field value if set, zero value otherwise.

func (*Radiusserverpost) GetTagNamesOk

func (o *Radiusserverpost) GetTagNamesOk() ([]string, bool)

GetTagNamesOk returns a tuple with the TagNames field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetUserCertEnabled

func (o *Radiusserverpost) GetUserCertEnabled() bool

GetUserCertEnabled returns the UserCertEnabled field value if set, zero value otherwise.

func (*Radiusserverpost) GetUserCertEnabledOk

func (o *Radiusserverpost) GetUserCertEnabledOk() (*bool, bool)

GetUserCertEnabledOk returns a tuple with the UserCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetUserLockoutAction

func (o *Radiusserverpost) GetUserLockoutAction() string

GetUserLockoutAction returns the UserLockoutAction field value if set, zero value otherwise.

func (*Radiusserverpost) GetUserLockoutActionOk

func (o *Radiusserverpost) GetUserLockoutActionOk() (*string, bool)

GetUserLockoutActionOk returns a tuple with the UserLockoutAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetUserPasswordEnabled

func (o *Radiusserverpost) GetUserPasswordEnabled() bool

GetUserPasswordEnabled returns the UserPasswordEnabled field value if set, zero value otherwise.

func (*Radiusserverpost) GetUserPasswordEnabledOk

func (o *Radiusserverpost) GetUserPasswordEnabledOk() (*bool, bool)

GetUserPasswordEnabledOk returns a tuple with the UserPasswordEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) GetUserPasswordExpirationAction

func (o *Radiusserverpost) GetUserPasswordExpirationAction() string

GetUserPasswordExpirationAction returns the UserPasswordExpirationAction field value if set, zero value otherwise.

func (*Radiusserverpost) GetUserPasswordExpirationActionOk

func (o *Radiusserverpost) GetUserPasswordExpirationActionOk() (*string, bool)

GetUserPasswordExpirationActionOk returns a tuple with the UserPasswordExpirationAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverpost) HasAuthIdp

func (o *Radiusserverpost) HasAuthIdp() bool

HasAuthIdp returns a boolean if a field has been set.

func (*Radiusserverpost) HasCaCert

func (o *Radiusserverpost) HasCaCert() bool

HasCaCert returns a boolean if a field has been set.

func (*Radiusserverpost) HasDeviceCertEnabled

func (o *Radiusserverpost) HasDeviceCertEnabled() bool

HasDeviceCertEnabled returns a boolean if a field has been set.

func (*Radiusserverpost) HasMfa

func (o *Radiusserverpost) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Radiusserverpost) HasTagNames

func (o *Radiusserverpost) HasTagNames() bool

HasTagNames returns a boolean if a field has been set.

func (*Radiusserverpost) HasUserCertEnabled

func (o *Radiusserverpost) HasUserCertEnabled() bool

HasUserCertEnabled returns a boolean if a field has been set.

func (*Radiusserverpost) HasUserLockoutAction

func (o *Radiusserverpost) HasUserLockoutAction() bool

HasUserLockoutAction returns a boolean if a field has been set.

func (*Radiusserverpost) HasUserPasswordEnabled

func (o *Radiusserverpost) HasUserPasswordEnabled() bool

HasUserPasswordEnabled returns a boolean if a field has been set.

func (*Radiusserverpost) HasUserPasswordExpirationAction

func (o *Radiusserverpost) HasUserPasswordExpirationAction() bool

HasUserPasswordExpirationAction returns a boolean if a field has been set.

func (Radiusserverpost) MarshalJSON

func (o Radiusserverpost) MarshalJSON() ([]byte, error)

func (*Radiusserverpost) SetAuthIdp

func (o *Radiusserverpost) SetAuthIdp(v string)

SetAuthIdp gets a reference to the given string and assigns it to the AuthIdp field.

func (*Radiusserverpost) SetCaCert

func (o *Radiusserverpost) SetCaCert(v string)

SetCaCert gets a reference to the given string and assigns it to the CaCert field.

func (*Radiusserverpost) SetDeviceCertEnabled

func (o *Radiusserverpost) SetDeviceCertEnabled(v bool)

SetDeviceCertEnabled gets a reference to the given bool and assigns it to the DeviceCertEnabled field.

func (*Radiusserverpost) SetMfa

func (o *Radiusserverpost) SetMfa(v string)

SetMfa gets a reference to the given string and assigns it to the Mfa field.

func (*Radiusserverpost) SetName

func (o *Radiusserverpost) SetName(v string)

SetName sets field value

func (*Radiusserverpost) SetNetworkSourceIp

func (o *Radiusserverpost) SetNetworkSourceIp(v string)

SetNetworkSourceIp sets field value

func (*Radiusserverpost) SetSharedSecret

func (o *Radiusserverpost) SetSharedSecret(v string)

SetSharedSecret sets field value

func (*Radiusserverpost) SetTagNames

func (o *Radiusserverpost) SetTagNames(v []string)

SetTagNames gets a reference to the given []string and assigns it to the TagNames field.

func (*Radiusserverpost) SetUserCertEnabled

func (o *Radiusserverpost) SetUserCertEnabled(v bool)

SetUserCertEnabled gets a reference to the given bool and assigns it to the UserCertEnabled field.

func (*Radiusserverpost) SetUserLockoutAction

func (o *Radiusserverpost) SetUserLockoutAction(v string)

SetUserLockoutAction gets a reference to the given string and assigns it to the UserLockoutAction field.

func (*Radiusserverpost) SetUserPasswordEnabled

func (o *Radiusserverpost) SetUserPasswordEnabled(v bool)

SetUserPasswordEnabled gets a reference to the given bool and assigns it to the UserPasswordEnabled field.

func (*Radiusserverpost) SetUserPasswordExpirationAction

func (o *Radiusserverpost) SetUserPasswordExpirationAction(v string)

SetUserPasswordExpirationAction gets a reference to the given string and assigns it to the UserPasswordExpirationAction field.

func (Radiusserverpost) ToMap

func (o Radiusserverpost) ToMap() (map[string]interface{}, error)

func (*Radiusserverpost) UnmarshalJSON

func (o *Radiusserverpost) UnmarshalJSON(bytes []byte) (err error)

type Radiusserverput

type Radiusserverput struct {
	Id                           *string  `json:"_id,omitempty"`
	AuthIdp                      *string  `json:"authIdp,omitempty"`
	CaCert                       *string  `json:"caCert,omitempty"`
	DeviceCertEnabled            *bool    `json:"deviceCertEnabled,omitempty"`
	Mfa                          *string  `json:"mfa,omitempty"`
	Name                         *string  `json:"name,omitempty"`
	NetworkSourceIp              *string  `json:"networkSourceIp,omitempty"`
	TagNames                     []string `json:"tagNames,omitempty"`
	UserCertEnabled              *bool    `json:"userCertEnabled,omitempty"`
	UserLockoutAction            *string  `json:"userLockoutAction,omitempty"`
	UserPasswordEnabled          *bool    `json:"userPasswordEnabled,omitempty"`
	UserPasswordExpirationAction *string  `json:"userPasswordExpirationAction,omitempty"`
	AdditionalProperties         map[string]interface{}
}

Radiusserverput struct for Radiusserverput

func NewRadiusserverput

func NewRadiusserverput() *Radiusserverput

NewRadiusserverput instantiates a new Radiusserverput object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRadiusserverputWithDefaults

func NewRadiusserverputWithDefaults() *Radiusserverput

NewRadiusserverputWithDefaults instantiates a new Radiusserverput object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Radiusserverput) GetAuthIdp

func (o *Radiusserverput) GetAuthIdp() string

GetAuthIdp returns the AuthIdp field value if set, zero value otherwise.

func (*Radiusserverput) GetAuthIdpOk

func (o *Radiusserverput) GetAuthIdpOk() (*string, bool)

GetAuthIdpOk returns a tuple with the AuthIdp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetCaCert

func (o *Radiusserverput) GetCaCert() string

GetCaCert returns the CaCert field value if set, zero value otherwise.

func (*Radiusserverput) GetCaCertOk

func (o *Radiusserverput) GetCaCertOk() (*string, bool)

GetCaCertOk returns a tuple with the CaCert field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetDeviceCertEnabled

func (o *Radiusserverput) GetDeviceCertEnabled() bool

GetDeviceCertEnabled returns the DeviceCertEnabled field value if set, zero value otherwise.

func (*Radiusserverput) GetDeviceCertEnabledOk

func (o *Radiusserverput) GetDeviceCertEnabledOk() (*bool, bool)

GetDeviceCertEnabledOk returns a tuple with the DeviceCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetId

func (o *Radiusserverput) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Radiusserverput) GetIdOk

func (o *Radiusserverput) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetMfa

func (o *Radiusserverput) GetMfa() string

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Radiusserverput) GetMfaOk

func (o *Radiusserverput) GetMfaOk() (*string, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetName

func (o *Radiusserverput) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Radiusserverput) GetNameOk

func (o *Radiusserverput) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetNetworkSourceIp

func (o *Radiusserverput) GetNetworkSourceIp() string

GetNetworkSourceIp returns the NetworkSourceIp field value if set, zero value otherwise.

func (*Radiusserverput) GetNetworkSourceIpOk

func (o *Radiusserverput) GetNetworkSourceIpOk() (*string, bool)

GetNetworkSourceIpOk returns a tuple with the NetworkSourceIp field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetTagNames

func (o *Radiusserverput) GetTagNames() []string

GetTagNames returns the TagNames field value if set, zero value otherwise.

func (*Radiusserverput) GetTagNamesOk

func (o *Radiusserverput) GetTagNamesOk() ([]string, bool)

GetTagNamesOk returns a tuple with the TagNames field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetUserCertEnabled

func (o *Radiusserverput) GetUserCertEnabled() bool

GetUserCertEnabled returns the UserCertEnabled field value if set, zero value otherwise.

func (*Radiusserverput) GetUserCertEnabledOk

func (o *Radiusserverput) GetUserCertEnabledOk() (*bool, bool)

GetUserCertEnabledOk returns a tuple with the UserCertEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetUserLockoutAction

func (o *Radiusserverput) GetUserLockoutAction() string

GetUserLockoutAction returns the UserLockoutAction field value if set, zero value otherwise.

func (*Radiusserverput) GetUserLockoutActionOk

func (o *Radiusserverput) GetUserLockoutActionOk() (*string, bool)

GetUserLockoutActionOk returns a tuple with the UserLockoutAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetUserPasswordEnabled

func (o *Radiusserverput) GetUserPasswordEnabled() bool

GetUserPasswordEnabled returns the UserPasswordEnabled field value if set, zero value otherwise.

func (*Radiusserverput) GetUserPasswordEnabledOk

func (o *Radiusserverput) GetUserPasswordEnabledOk() (*bool, bool)

GetUserPasswordEnabledOk returns a tuple with the UserPasswordEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) GetUserPasswordExpirationAction

func (o *Radiusserverput) GetUserPasswordExpirationAction() string

GetUserPasswordExpirationAction returns the UserPasswordExpirationAction field value if set, zero value otherwise.

func (*Radiusserverput) GetUserPasswordExpirationActionOk

func (o *Radiusserverput) GetUserPasswordExpirationActionOk() (*string, bool)

GetUserPasswordExpirationActionOk returns a tuple with the UserPasswordExpirationAction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverput) HasAuthIdp

func (o *Radiusserverput) HasAuthIdp() bool

HasAuthIdp returns a boolean if a field has been set.

func (*Radiusserverput) HasCaCert

func (o *Radiusserverput) HasCaCert() bool

HasCaCert returns a boolean if a field has been set.

func (*Radiusserverput) HasDeviceCertEnabled

func (o *Radiusserverput) HasDeviceCertEnabled() bool

HasDeviceCertEnabled returns a boolean if a field has been set.

func (*Radiusserverput) HasId

func (o *Radiusserverput) HasId() bool

HasId returns a boolean if a field has been set.

func (*Radiusserverput) HasMfa

func (o *Radiusserverput) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Radiusserverput) HasName

func (o *Radiusserverput) HasName() bool

HasName returns a boolean if a field has been set.

func (*Radiusserverput) HasNetworkSourceIp

func (o *Radiusserverput) HasNetworkSourceIp() bool

HasNetworkSourceIp returns a boolean if a field has been set.

func (*Radiusserverput) HasTagNames

func (o *Radiusserverput) HasTagNames() bool

HasTagNames returns a boolean if a field has been set.

func (*Radiusserverput) HasUserCertEnabled

func (o *Radiusserverput) HasUserCertEnabled() bool

HasUserCertEnabled returns a boolean if a field has been set.

func (*Radiusserverput) HasUserLockoutAction

func (o *Radiusserverput) HasUserLockoutAction() bool

HasUserLockoutAction returns a boolean if a field has been set.

func (*Radiusserverput) HasUserPasswordEnabled

func (o *Radiusserverput) HasUserPasswordEnabled() bool

HasUserPasswordEnabled returns a boolean if a field has been set.

func (*Radiusserverput) HasUserPasswordExpirationAction

func (o *Radiusserverput) HasUserPasswordExpirationAction() bool

HasUserPasswordExpirationAction returns a boolean if a field has been set.

func (Radiusserverput) MarshalJSON

func (o Radiusserverput) MarshalJSON() ([]byte, error)

func (*Radiusserverput) SetAuthIdp

func (o *Radiusserverput) SetAuthIdp(v string)

SetAuthIdp gets a reference to the given string and assigns it to the AuthIdp field.

func (*Radiusserverput) SetCaCert

func (o *Radiusserverput) SetCaCert(v string)

SetCaCert gets a reference to the given string and assigns it to the CaCert field.

func (*Radiusserverput) SetDeviceCertEnabled

func (o *Radiusserverput) SetDeviceCertEnabled(v bool)

SetDeviceCertEnabled gets a reference to the given bool and assigns it to the DeviceCertEnabled field.

func (*Radiusserverput) SetId

func (o *Radiusserverput) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Radiusserverput) SetMfa

func (o *Radiusserverput) SetMfa(v string)

SetMfa gets a reference to the given string and assigns it to the Mfa field.

func (*Radiusserverput) SetName

func (o *Radiusserverput) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Radiusserverput) SetNetworkSourceIp

func (o *Radiusserverput) SetNetworkSourceIp(v string)

SetNetworkSourceIp gets a reference to the given string and assigns it to the NetworkSourceIp field.

func (*Radiusserverput) SetTagNames

func (o *Radiusserverput) SetTagNames(v []string)

SetTagNames gets a reference to the given []string and assigns it to the TagNames field.

func (*Radiusserverput) SetUserCertEnabled

func (o *Radiusserverput) SetUserCertEnabled(v bool)

SetUserCertEnabled gets a reference to the given bool and assigns it to the UserCertEnabled field.

func (*Radiusserverput) SetUserLockoutAction

func (o *Radiusserverput) SetUserLockoutAction(v string)

SetUserLockoutAction gets a reference to the given string and assigns it to the UserLockoutAction field.

func (*Radiusserverput) SetUserPasswordEnabled

func (o *Radiusserverput) SetUserPasswordEnabled(v bool)

SetUserPasswordEnabled gets a reference to the given bool and assigns it to the UserPasswordEnabled field.

func (*Radiusserverput) SetUserPasswordExpirationAction

func (o *Radiusserverput) SetUserPasswordExpirationAction(v string)

SetUserPasswordExpirationAction gets a reference to the given string and assigns it to the UserPasswordExpirationAction field.

func (Radiusserverput) ToMap

func (o Radiusserverput) ToMap() (map[string]interface{}, error)

func (*Radiusserverput) UnmarshalJSON

func (o *Radiusserverput) UnmarshalJSON(bytes []byte) (err error)

type Radiusserverslist

type Radiusserverslist struct {
	Results              []Radiusserver `json:"results,omitempty"`
	TotalCount           *int32         `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Radiusserverslist struct for Radiusserverslist

func NewRadiusserverslist

func NewRadiusserverslist() *Radiusserverslist

NewRadiusserverslist instantiates a new Radiusserverslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewRadiusserverslistWithDefaults

func NewRadiusserverslistWithDefaults() *Radiusserverslist

NewRadiusserverslistWithDefaults instantiates a new Radiusserverslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Radiusserverslist) GetResults

func (o *Radiusserverslist) GetResults() []Radiusserver

GetResults returns the Results field value if set, zero value otherwise.

func (*Radiusserverslist) GetResultsOk

func (o *Radiusserverslist) GetResultsOk() ([]Radiusserver, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverslist) GetTotalCount

func (o *Radiusserverslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Radiusserverslist) GetTotalCountOk

func (o *Radiusserverslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Radiusserverslist) HasResults

func (o *Radiusserverslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Radiusserverslist) HasTotalCount

func (o *Radiusserverslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Radiusserverslist) MarshalJSON

func (o Radiusserverslist) MarshalJSON() ([]byte, error)

func (*Radiusserverslist) SetResults

func (o *Radiusserverslist) SetResults(v []Radiusserver)

SetResults gets a reference to the given []Radiusserver and assigns it to the Results field.

func (*Radiusserverslist) SetTotalCount

func (o *Radiusserverslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Radiusserverslist) ToMap

func (o Radiusserverslist) ToMap() (map[string]interface{}, error)

func (*Radiusserverslist) UnmarshalJSON

func (o *Radiusserverslist) UnmarshalJSON(bytes []byte) (err error)
type Search struct {
	Fields               *string                `json:"fields,omitempty"`
	Filter               map[string]interface{} `json:"filter,omitempty"`
	SearchFilter         map[string]interface{} `json:"searchFilter,omitempty"`
	AdditionalProperties map[string]interface{}
}

Search struct for Search

func NewSearch

func NewSearch() *Search

NewSearch instantiates a new Search object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSearchWithDefaults

func NewSearchWithDefaults() *Search

NewSearchWithDefaults instantiates a new Search object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Search) GetFields

func (o *Search) GetFields() string

GetFields returns the Fields field value if set, zero value otherwise.

func (*Search) GetFieldsOk

func (o *Search) GetFieldsOk() (*string, bool)

GetFieldsOk returns a tuple with the Fields field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Search) GetFilter

func (o *Search) GetFilter() map[string]interface{}

GetFilter returns the Filter field value if set, zero value otherwise.

func (*Search) GetFilterOk

func (o *Search) GetFilterOk() (map[string]interface{}, bool)

GetFilterOk returns a tuple with the Filter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Search) GetSearchFilter

func (o *Search) GetSearchFilter() map[string]interface{}

GetSearchFilter returns the SearchFilter field value if set, zero value otherwise.

func (*Search) GetSearchFilterOk

func (o *Search) GetSearchFilterOk() (map[string]interface{}, bool)

GetSearchFilterOk returns a tuple with the SearchFilter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Search) HasFields

func (o *Search) HasFields() bool

HasFields returns a boolean if a field has been set.

func (*Search) HasFilter

func (o *Search) HasFilter() bool

HasFilter returns a boolean if a field has been set.

func (*Search) HasSearchFilter

func (o *Search) HasSearchFilter() bool

HasSearchFilter returns a boolean if a field has been set.

func (Search) MarshalJSON

func (o Search) MarshalJSON() ([]byte, error)

func (*Search) SetFields

func (o *Search) SetFields(v string)

SetFields gets a reference to the given string and assigns it to the Fields field.

func (*Search) SetFilter

func (o *Search) SetFilter(v map[string]interface{})

SetFilter gets a reference to the given map[string]interface{} and assigns it to the Filter field.

func (*Search) SetSearchFilter

func (o *Search) SetSearchFilter(v map[string]interface{})

SetSearchFilter gets a reference to the given map[string]interface{} and assigns it to the SearchFilter field.

func (Search) ToMap

func (o Search) ToMap() (map[string]interface{}, error)

func (*Search) UnmarshalJSON

func (o *Search) UnmarshalJSON(bytes []byte) (err error)

type SearchApiSearchCommandresultsPostRequest

type SearchApiSearchCommandresultsPostRequest struct {
	ApiService *SearchApiService
	// contains filtered or unexported fields
}

func (SearchApiSearchCommandresultsPostRequest) Body

func (SearchApiSearchCommandresultsPostRequest) Execute

func (SearchApiSearchCommandresultsPostRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SearchApiSearchCommandresultsPostRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SearchApiSearchCommandresultsPostRequest) Limit

The number of records to return at once. Limited to 100.

func (SearchApiSearchCommandresultsPostRequest) Skip

The offset into the records to return.

func (SearchApiSearchCommandresultsPostRequest) XOrgId

type SearchApiSearchCommandsPostRequest

type SearchApiSearchCommandsPostRequest struct {
	ApiService *SearchApiService
	// contains filtered or unexported fields
}

func (SearchApiSearchCommandsPostRequest) Body

func (SearchApiSearchCommandsPostRequest) Execute

func (SearchApiSearchCommandsPostRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SearchApiSearchCommandsPostRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SearchApiSearchCommandsPostRequest) Limit

The number of records to return at once. Limited to 100.

func (SearchApiSearchCommandsPostRequest) Skip

The offset into the records to return.

func (SearchApiSearchCommandsPostRequest) XOrgId

type SearchApiSearchOrganizationsPostRequest

type SearchApiSearchOrganizationsPostRequest struct {
	ApiService *SearchApiService
	// contains filtered or unexported fields
}

func (SearchApiSearchOrganizationsPostRequest) Body

func (SearchApiSearchOrganizationsPostRequest) Execute

func (SearchApiSearchOrganizationsPostRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SearchApiSearchOrganizationsPostRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SearchApiSearchOrganizationsPostRequest) Limit

The number of records to return at once. Limited to 100.

func (SearchApiSearchOrganizationsPostRequest) Skip

The offset into the records to return.

type SearchApiSearchSystemsPostRequest

type SearchApiSearchSystemsPostRequest struct {
	ApiService *SearchApiService
	// contains filtered or unexported fields
}

func (SearchApiSearchSystemsPostRequest) Body

func (SearchApiSearchSystemsPostRequest) Execute

func (SearchApiSearchSystemsPostRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SearchApiSearchSystemsPostRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SearchApiSearchSystemsPostRequest) Limit

The number of records to return at once. Limited to 100.

func (SearchApiSearchSystemsPostRequest) Skip

The offset into the records to return.

func (SearchApiSearchSystemsPostRequest) XOrgId

type SearchApiSearchSystemusersPostRequest

type SearchApiSearchSystemusersPostRequest struct {
	ApiService *SearchApiService
	// contains filtered or unexported fields
}

func (SearchApiSearchSystemusersPostRequest) Body

func (SearchApiSearchSystemusersPostRequest) Execute

func (SearchApiSearchSystemusersPostRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SearchApiSearchSystemusersPostRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SearchApiSearchSystemusersPostRequest) Limit

The number of records to return at once. Limited to 100.

func (SearchApiSearchSystemusersPostRequest) Skip

The offset into the records to return.

func (SearchApiSearchSystemusersPostRequest) XOrgId

type SearchApiService

type SearchApiService service

SearchApiService SearchApi service

func (*SearchApiService) SearchCommandresultsPost

SearchCommandresultsPost Search Commands Results

Return Command Results in multi-record format allowing for the passing of the `filter` parameter.

To support advanced filtering you can use the `filter` and `searchFilter` parameters that can only be passed in the body of POST /api/search/commandresults route. The `filter` parameter must be passed as Content-Type application/json.

The `filter` parameter is an object with a single property, either `and` or `or` with the value of the property being an array of query expressions.

This allows you to filter records using the logic of matching ALL or ANY records in the array of query expressions. If the `and` or `or` are not included the default behavior is to match ALL query expressions.

#### Sample Request

Exact search for a specific command result ```

curl -X POST https://console.jumpcloud.com/api/search/commandresults \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "filter" : "workflowInstanceId:$eq:62f3c599ec4e928499069c7f",
  "fields" : "name workflowId sudo"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SearchApiSearchCommandresultsPostRequest

func (*SearchApiService) SearchCommandresultsPostExecute

Execute executes the request

@return Commandresultslist

func (*SearchApiService) SearchCommandsPost

SearchCommandsPost Search Commands

Return Commands in multi-record format allowing for the passing of the `filter` and `searchFilter` parameters. This WILL NOT allow you to add a new command. To support advanced filtering you can use the `filter` and `searchFilter` parameters that can only be passed in the body of POST /api/search/* routes. The `filter` and `searchFilter` parameters must be passed as Content-Type application/json. The `filter` parameter is an object with a single property, either `and` or `or` with the value of the property being an array of query expressions. This allows you to filter records using the logic of matching ALL or ANY records in the array of query expressions. If the `and` or `or` are not included the default behavior is to match ALL query expressions. The `searchFilter` parameter allows text searching on supported fields by specifying a `searchTerm` and a list of `fields` to query on. If any `field` has a partial text match on the `searchTerm` the record will be returned.

#### Sample Request Exact search for a list of commands in a launchType ```

curl -X POST https://console.jumpcloud.com/api/search/commands \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "filter" : [{"launchType" : "repeated"}],
  "fields" : "name launchType sudo"
}'

``` Text search for commands with name ```

curl -X POST https://console.jumpcloud.com/api/search/commands \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter" : {
    "searchTerm": "List",
    "fields": ["name"]
  },
  "fields" : "name launchType sudo"
}'

``` Text search for multiple commands ```

curl -X POST https://console.jumpcloud.com/api/search/commands \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter" : {
    "searchTerm": ["List", "Log"],
    "fields": ["name"]
  },
  "fields" : "name launchType sudo"
}'

``` Combining `filter` and `searchFilter` to text search for commands with name who are in a list of launchType ```

curl -X POST https://console.jumpcloud.com/api/search/commands \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter": {
    "searchTerm": "List",
    "fields": ["name"]
  },
  "filter": {
    "or": [
      {"launchType" : "repeated"},
      {"launchType" : "one-time"}
    ]
  },
  "fields" : "name launchType sudo"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SearchApiSearchCommandsPostRequest

func (*SearchApiService) SearchCommandsPostExecute

Execute executes the request

@return Commandslist

func (*SearchApiService) SearchOrganizationsPost

SearchOrganizationsPost Search Organizations

This endpoint will return Organization data based on your search parameters. This endpoint WILL NOT allow you to add a new Organization.

You can use the supported parameters and pass those in the body of request.

The parameters must be passed as Content-Type application/json.

#### Sample Request ```

curl -X POST https://console.jumpcloud.com/api/search/organizations \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "search":{
    "fields" : ["settings.name"],
    "searchTerm": "Second"
    },
  "fields": ["_id", "displayName", "logoUrl"],
  "limit" : 0,
  "skip" : 0
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SearchApiSearchOrganizationsPostRequest

func (*SearchApiService) SearchOrganizationsPostExecute

Execute executes the request

@return Organizationslist

func (*SearchApiService) SearchSystemsPost

SearchSystemsPost Search Systems

Return Systems in multi-record format allowing for the passing of the `filter` and `searchFilter` parameters. This WILL NOT allow you to add a new system.

To support advanced filtering you can use the `filter` and `searchFilter` parameters that can only be passed in the body of POST /api/search/* routes. The `filter` and `searchFilter` parameters must be passed as Content-Type application/json.

The `filter` parameter is an object with a single property, either `and` or `or` with the value of the property being an array of query expressions.

This allows you to filter records using the logic of matching ALL or ANY records in the array of query expressions. If the `and` or `or` are not included the default behavior is to match ALL query expressions.

The `searchFilter` parameter allows text searching on supported fields by specifying a `searchTerm` and a list of `fields` to query on. If any `field` has a partial text match on the `searchTerm` the record will be returned.

#### Sample Request

Exact search for a list of hostnames ```

curl -X POST https://console.jumpcloud.com/api/search/systems \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "filter": {
    "or": [
      {"hostname" : "my-hostname"},
      {"hostname" : "other-hostname"}
    ]
  },
  "fields" : "os hostname displayName"
}'

```

Text search for a hostname or display name ```

curl -X POST https://console.jumpcloud.com/api/search/systems \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter": {
    "searchTerm": "my-host",
    "fields": ["hostname", "displayName"]
  },
  "fields": "os hostname displayName"
}'

```

Text search for a multiple hostnames. ```

curl -X POST https://console.jumpcloud.com/api/search/systems \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter": {
    "searchTerm": ["my-host", "my-other-host"],
    "fields": ["hostname"]
  },
  "fields": "os hostname displayName"
}'

```

Combining `filter` and `searchFilter` to search for names that match a given OS ```

curl -X POST https://console.jumpcloud.com/api/search/systems \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter": {
    "searchTerm": "my-host",
    "fields": ["hostname", "displayName"]
  },
  "filter": {
    "or": [
      {"os" : "Ubuntu"},
      {"os" : "Mac OS X"}
    ]
  },
  "fields": "os hostname displayName"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SearchApiSearchSystemsPostRequest

func (*SearchApiService) SearchSystemsPostExecute

Execute executes the request

@return Systemslist

func (*SearchApiService) SearchSystemusersPost

SearchSystemusersPost Search System Users

Return System Users in multi-record format allowing for the passing of the `filter` and `searchFilter` parameters. This WILL NOT allow you to add a new system user.

To support advanced filtering you can use the `filter` and `searchFilter` parameters that can only be passed in the body of POST /api/search/* routes. The `filter` and `searchFilter` parameters must be passed as Content-Type application/json.

The `filter` parameter is an object with a single property, either `and` or `or` with the value of the property being an array of query expressions.

This allows you to filter records using the logic of matching ALL or ANY records in the array of query expressions. If the `and` or `or` are not included the default behavior is to match ALL query expressions.

The `searchFilter` parameter allows text searching on supported fields by specifying a `searchTerm` and a list of `fields` to query on. If any `field` has a partial text match on the `searchTerm` the record will be returned.

#### Sample Request

Exact search for a list of system users in a department ```

curl -X POST https://console.jumpcloud.com/api/search/systemusers \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "filter" : [{"department" : "IT"}],
  "fields" : "email username sudo"
}'

```

Text search for system users with and email on a domain ```

curl -X POST https://console.jumpcloud.com/api/search/systemusers \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter" : {
    "searchTerm": "@jumpcloud.com",
    "fields": ["email"]
  },
  "fields" : "email username sudo"
}'

```

Text search for multiple system users ```

curl -X POST https://console.jumpcloud.com/api/search/systemusers \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter" : {
    "searchTerm": ["john", "sarah"],
    "fields": ["username"]
  },
  "fields" : "email username sudo"
}'

```

Combining `filter` and `searchFilter` to text search for system users with and email on a domain who are in a list of departments ```

curl -X POST https://console.jumpcloud.com/api/search/systemusers \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
  "searchFilter": {
    "searchTerm": "@jumpcloud.com",
    "fields": ["email"]
  },
  "filter": {
    "or": [
      {"department" : "IT"},
      {"department" : "Sales"}
    ]
  },
  "fields" : "email username sudo"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SearchApiSearchSystemusersPostRequest

func (*SearchApiService) SearchSystemusersPostExecute

Execute executes the request

@return Systemuserslist

type ServerConfiguration

type ServerConfiguration struct {
	URL         string
	Description string
	Variables   map[string]ServerVariable
}

ServerConfiguration stores the information about a server

type ServerConfigurations

type ServerConfigurations []ServerConfiguration

ServerConfigurations stores multiple ServerConfiguration items

func (ServerConfigurations) URL

func (sc ServerConfigurations) URL(index int, variables map[string]string) (string, error)

URL formats template on a index using given variables

type ServerVariable

type ServerVariable struct {
	Description  string
	DefaultValue string
	EnumValues   []string
}

ServerVariable stores the information about a server variable

type Sshkeylist

type Sshkeylist struct {
	// The ID of the SSH key.
	Id *string `json:"_id,omitempty"`
	// The date the SSH key was created.
	CreateDate *string `json:"create_date,omitempty"`
	// The name of the SSH key.
	Name *string `json:"name,omitempty"`
	// The Public SSH key.
	PublicKey            *string `json:"public_key,omitempty"`
	AdditionalProperties map[string]interface{}
}

Sshkeylist struct for Sshkeylist

func NewSshkeylist

func NewSshkeylist() *Sshkeylist

NewSshkeylist instantiates a new Sshkeylist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSshkeylistWithDefaults

func NewSshkeylistWithDefaults() *Sshkeylist

NewSshkeylistWithDefaults instantiates a new Sshkeylist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Sshkeylist) GetCreateDate

func (o *Sshkeylist) GetCreateDate() string

GetCreateDate returns the CreateDate field value if set, zero value otherwise.

func (*Sshkeylist) GetCreateDateOk

func (o *Sshkeylist) GetCreateDateOk() (*string, bool)

GetCreateDateOk returns a tuple with the CreateDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sshkeylist) GetId

func (o *Sshkeylist) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Sshkeylist) GetIdOk

func (o *Sshkeylist) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sshkeylist) GetName

func (o *Sshkeylist) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*Sshkeylist) GetNameOk

func (o *Sshkeylist) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sshkeylist) GetPublicKey

func (o *Sshkeylist) GetPublicKey() string

GetPublicKey returns the PublicKey field value if set, zero value otherwise.

func (*Sshkeylist) GetPublicKeyOk

func (o *Sshkeylist) GetPublicKeyOk() (*string, bool)

GetPublicKeyOk returns a tuple with the PublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sshkeylist) HasCreateDate

func (o *Sshkeylist) HasCreateDate() bool

HasCreateDate returns a boolean if a field has been set.

func (*Sshkeylist) HasId

func (o *Sshkeylist) HasId() bool

HasId returns a boolean if a field has been set.

func (*Sshkeylist) HasName

func (o *Sshkeylist) HasName() bool

HasName returns a boolean if a field has been set.

func (*Sshkeylist) HasPublicKey

func (o *Sshkeylist) HasPublicKey() bool

HasPublicKey returns a boolean if a field has been set.

func (Sshkeylist) MarshalJSON

func (o Sshkeylist) MarshalJSON() ([]byte, error)

func (*Sshkeylist) SetCreateDate

func (o *Sshkeylist) SetCreateDate(v string)

SetCreateDate gets a reference to the given string and assigns it to the CreateDate field.

func (*Sshkeylist) SetId

func (o *Sshkeylist) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Sshkeylist) SetName

func (o *Sshkeylist) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*Sshkeylist) SetPublicKey

func (o *Sshkeylist) SetPublicKey(v string)

SetPublicKey gets a reference to the given string and assigns it to the PublicKey field.

func (Sshkeylist) ToMap

func (o Sshkeylist) ToMap() (map[string]interface{}, error)

func (*Sshkeylist) UnmarshalJSON

func (o *Sshkeylist) UnmarshalJSON(bytes []byte) (err error)

type Sshkeypost

type Sshkeypost struct {
	// The name of the SSH key.
	Name string `json:"name"`
	// The Public SSH key.
	PublicKey            string `json:"public_key"`
	AdditionalProperties map[string]interface{}
}

Sshkeypost struct for Sshkeypost

func NewSshkeypost

func NewSshkeypost(name string, publicKey string) *Sshkeypost

NewSshkeypost instantiates a new Sshkeypost object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSshkeypostWithDefaults

func NewSshkeypostWithDefaults() *Sshkeypost

NewSshkeypostWithDefaults instantiates a new Sshkeypost object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Sshkeypost) GetName

func (o *Sshkeypost) GetName() string

GetName returns the Name field value

func (*Sshkeypost) GetNameOk

func (o *Sshkeypost) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*Sshkeypost) GetPublicKey

func (o *Sshkeypost) GetPublicKey() string

GetPublicKey returns the PublicKey field value

func (*Sshkeypost) GetPublicKeyOk

func (o *Sshkeypost) GetPublicKeyOk() (*string, bool)

GetPublicKeyOk returns a tuple with the PublicKey field value and a boolean to check if the value has been set.

func (Sshkeypost) MarshalJSON

func (o Sshkeypost) MarshalJSON() ([]byte, error)

func (*Sshkeypost) SetName

func (o *Sshkeypost) SetName(v string)

SetName sets field value

func (*Sshkeypost) SetPublicKey

func (o *Sshkeypost) SetPublicKey(v string)

SetPublicKey sets field value

func (Sshkeypost) ToMap

func (o Sshkeypost) ToMap() (map[string]interface{}, error)

func (*Sshkeypost) UnmarshalJSON

func (o *Sshkeypost) UnmarshalJSON(bytes []byte) (err error)

type Sso

type Sso struct {
	Beta                 *bool      `json:"beta,omitempty"`
	Hidden               *bool      `json:"hidden,omitempty"`
	IdpCertExpirationAt  *time.Time `json:"idpCertExpirationAt,omitempty"`
	Jit                  *bool      `json:"jit,omitempty"`
	Type                 *string    `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

Sso struct for Sso

func NewSso

func NewSso() *Sso

NewSso instantiates a new Sso object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSsoWithDefaults

func NewSsoWithDefaults() *Sso

NewSsoWithDefaults instantiates a new Sso object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Sso) GetBeta

func (o *Sso) GetBeta() bool

GetBeta returns the Beta field value if set, zero value otherwise.

func (*Sso) GetBetaOk

func (o *Sso) GetBetaOk() (*bool, bool)

GetBetaOk returns a tuple with the Beta field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sso) GetHidden

func (o *Sso) GetHidden() bool

GetHidden returns the Hidden field value if set, zero value otherwise.

func (*Sso) GetHiddenOk

func (o *Sso) GetHiddenOk() (*bool, bool)

GetHiddenOk returns a tuple with the Hidden field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sso) GetIdpCertExpirationAt

func (o *Sso) GetIdpCertExpirationAt() time.Time

GetIdpCertExpirationAt returns the IdpCertExpirationAt field value if set, zero value otherwise.

func (*Sso) GetIdpCertExpirationAtOk

func (o *Sso) GetIdpCertExpirationAtOk() (*time.Time, bool)

GetIdpCertExpirationAtOk returns a tuple with the IdpCertExpirationAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sso) GetJit

func (o *Sso) GetJit() bool

GetJit returns the Jit field value if set, zero value otherwise.

func (*Sso) GetJitOk

func (o *Sso) GetJitOk() (*bool, bool)

GetJitOk returns a tuple with the Jit field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sso) GetType

func (o *Sso) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*Sso) GetTypeOk

func (o *Sso) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Sso) HasBeta

func (o *Sso) HasBeta() bool

HasBeta returns a boolean if a field has been set.

func (*Sso) HasHidden

func (o *Sso) HasHidden() bool

HasHidden returns a boolean if a field has been set.

func (*Sso) HasIdpCertExpirationAt

func (o *Sso) HasIdpCertExpirationAt() bool

HasIdpCertExpirationAt returns a boolean if a field has been set.

func (*Sso) HasJit

func (o *Sso) HasJit() bool

HasJit returns a boolean if a field has been set.

func (*Sso) HasType

func (o *Sso) HasType() bool

HasType returns a boolean if a field has been set.

func (Sso) MarshalJSON

func (o Sso) MarshalJSON() ([]byte, error)

func (*Sso) SetBeta

func (o *Sso) SetBeta(v bool)

SetBeta gets a reference to the given bool and assigns it to the Beta field.

func (*Sso) SetHidden

func (o *Sso) SetHidden(v bool)

SetHidden gets a reference to the given bool and assigns it to the Hidden field.

func (*Sso) SetIdpCertExpirationAt

func (o *Sso) SetIdpCertExpirationAt(v time.Time)

SetIdpCertExpirationAt gets a reference to the given time.Time and assigns it to the IdpCertExpirationAt field.

func (*Sso) SetJit

func (o *Sso) SetJit(v bool)

SetJit gets a reference to the given bool and assigns it to the Jit field.

func (*Sso) SetType

func (o *Sso) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (Sso) ToMap

func (o Sso) ToMap() (map[string]interface{}, error)

func (*Sso) UnmarshalJSON

func (o *Sso) UnmarshalJSON(bytes []byte) (err error)

type System

type System struct {
	Id                             *string                        `json:"_id,omitempty"`
	Active                         *bool                          `json:"active,omitempty"`
	AgentVersion                   *string                        `json:"agentVersion,omitempty"`
	AllowMultiFactorAuthentication *bool                          `json:"allowMultiFactorAuthentication,omitempty"`
	AllowPublicKeyAuthentication   *bool                          `json:"allowPublicKeyAuthentication,omitempty"`
	AllowSshPasswordAuthentication *bool                          `json:"allowSshPasswordAuthentication,omitempty"`
	AllowSshRootLogin              *bool                          `json:"allowSshRootLogin,omitempty"`
	AmazonInstanceID               *string                        `json:"amazonInstanceID,omitempty"`
	Arch                           *string                        `json:"arch,omitempty"`
	AzureAdJoined                  *bool                          `json:"azureAdJoined,omitempty"`
	BuiltInCommands                []SystemBuiltInCommandsInner   `json:"builtInCommands,omitempty"`
	ConnectionHistory              []map[string]interface{}       `json:"connectionHistory,omitempty"`
	Created                        *time.Time                     `json:"created,omitempty"`
	Description                    *string                        `json:"description,omitempty"`
	DesktopCapable                 *bool                          `json:"desktopCapable,omitempty"`
	DisplayManager                 *string                        `json:"displayManager,omitempty"`
	DisplayName                    *string                        `json:"displayName,omitempty"`
	DomainInfo                     *SystemDomainInfo              `json:"domainInfo,omitempty"`
	Fde                            *Fde                           `json:"fde,omitempty"`
	FileSystem                     NullableString                 `json:"fileSystem,omitempty"`
	HasServiceAccount              *bool                          `json:"hasServiceAccount,omitempty"`
	Hostname                       *string                        `json:"hostname,omitempty"`
	LastContact                    NullableTime                   `json:"lastContact,omitempty"`
	Mdm                            *SystemMdm                     `json:"mdm,omitempty"`
	ModifySSHDConfig               *bool                          `json:"modifySSHDConfig,omitempty"`
	NetworkInterfaces              []SystemNetworkInterfacesInner `json:"networkInterfaces,omitempty"`
	Organization                   *string                        `json:"organization,omitempty"`
	Os                             *string                        `json:"os,omitempty"`
	OsFamily                       *string                        `json:"osFamily,omitempty"`
	OsVersionDetail                *SystemOsVersionDetail         `json:"osVersionDetail,omitempty"`
	ProvisionMetadata              *SystemProvisionMetadata       `json:"provisionMetadata,omitempty"`
	RemoteIP                       *string                        `json:"remoteIP,omitempty"`
	SerialNumber                   *string                        `json:"serialNumber,omitempty"`
	ServiceAccountState            *SystemServiceAccountState     `json:"serviceAccountState,omitempty"`
	SshRootEnabled                 *bool                          `json:"sshRootEnabled,omitempty"`
	SshdParams                     []SystemSshdParamsInner        `json:"sshdParams,omitempty"`
	SystemInsights                 *SystemSystemInsights          `json:"systemInsights,omitempty"`
	SystemTimezone                 *int32                         `json:"systemTimezone,omitempty"`
	Tags                           []string                       `json:"tags,omitempty"`
	TemplateName                   *string                        `json:"templateName,omitempty"`
	UserMetrics                    []SystemUserMetricsInner       `json:"userMetrics,omitempty"`
	Version                        *string                        `json:"version,omitempty"`
	AdditionalProperties           map[string]interface{}
}

System struct for System

func NewSystem

func NewSystem() *System

NewSystem instantiates a new System object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemWithDefaults

func NewSystemWithDefaults() *System

NewSystemWithDefaults instantiates a new System object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*System) GetActive

func (o *System) GetActive() bool

GetActive returns the Active field value if set, zero value otherwise.

func (*System) GetActiveOk

func (o *System) GetActiveOk() (*bool, bool)

GetActiveOk returns a tuple with the Active field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAgentVersion

func (o *System) GetAgentVersion() string

GetAgentVersion returns the AgentVersion field value if set, zero value otherwise.

func (*System) GetAgentVersionOk

func (o *System) GetAgentVersionOk() (*string, bool)

GetAgentVersionOk returns a tuple with the AgentVersion field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAllowMultiFactorAuthentication

func (o *System) GetAllowMultiFactorAuthentication() bool

GetAllowMultiFactorAuthentication returns the AllowMultiFactorAuthentication field value if set, zero value otherwise.

func (*System) GetAllowMultiFactorAuthenticationOk

func (o *System) GetAllowMultiFactorAuthenticationOk() (*bool, bool)

GetAllowMultiFactorAuthenticationOk returns a tuple with the AllowMultiFactorAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAllowPublicKeyAuthentication

func (o *System) GetAllowPublicKeyAuthentication() bool

GetAllowPublicKeyAuthentication returns the AllowPublicKeyAuthentication field value if set, zero value otherwise.

func (*System) GetAllowPublicKeyAuthenticationOk

func (o *System) GetAllowPublicKeyAuthenticationOk() (*bool, bool)

GetAllowPublicKeyAuthenticationOk returns a tuple with the AllowPublicKeyAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAllowSshPasswordAuthentication

func (o *System) GetAllowSshPasswordAuthentication() bool

GetAllowSshPasswordAuthentication returns the AllowSshPasswordAuthentication field value if set, zero value otherwise.

func (*System) GetAllowSshPasswordAuthenticationOk

func (o *System) GetAllowSshPasswordAuthenticationOk() (*bool, bool)

GetAllowSshPasswordAuthenticationOk returns a tuple with the AllowSshPasswordAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAllowSshRootLogin

func (o *System) GetAllowSshRootLogin() bool

GetAllowSshRootLogin returns the AllowSshRootLogin field value if set, zero value otherwise.

func (*System) GetAllowSshRootLoginOk

func (o *System) GetAllowSshRootLoginOk() (*bool, bool)

GetAllowSshRootLoginOk returns a tuple with the AllowSshRootLogin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAmazonInstanceID

func (o *System) GetAmazonInstanceID() string

GetAmazonInstanceID returns the AmazonInstanceID field value if set, zero value otherwise.

func (*System) GetAmazonInstanceIDOk

func (o *System) GetAmazonInstanceIDOk() (*string, bool)

GetAmazonInstanceIDOk returns a tuple with the AmazonInstanceID field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetArch

func (o *System) GetArch() string

GetArch returns the Arch field value if set, zero value otherwise.

func (*System) GetArchOk

func (o *System) GetArchOk() (*string, bool)

GetArchOk returns a tuple with the Arch field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetAzureAdJoined

func (o *System) GetAzureAdJoined() bool

GetAzureAdJoined returns the AzureAdJoined field value if set, zero value otherwise.

func (*System) GetAzureAdJoinedOk

func (o *System) GetAzureAdJoinedOk() (*bool, bool)

GetAzureAdJoinedOk returns a tuple with the AzureAdJoined field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetBuiltInCommands

func (o *System) GetBuiltInCommands() []SystemBuiltInCommandsInner

GetBuiltInCommands returns the BuiltInCommands field value if set, zero value otherwise.

func (*System) GetBuiltInCommandsOk

func (o *System) GetBuiltInCommandsOk() ([]SystemBuiltInCommandsInner, bool)

GetBuiltInCommandsOk returns a tuple with the BuiltInCommands field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetConnectionHistory

func (o *System) GetConnectionHistory() []map[string]interface{}

GetConnectionHistory returns the ConnectionHistory field value if set, zero value otherwise.

func (*System) GetConnectionHistoryOk

func (o *System) GetConnectionHistoryOk() ([]map[string]interface{}, bool)

GetConnectionHistoryOk returns a tuple with the ConnectionHistory field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetCreated

func (o *System) GetCreated() time.Time

GetCreated returns the Created field value if set, zero value otherwise.

func (*System) GetCreatedOk

func (o *System) GetCreatedOk() (*time.Time, bool)

GetCreatedOk returns a tuple with the Created field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetDescription

func (o *System) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*System) GetDescriptionOk

func (o *System) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetDesktopCapable

func (o *System) GetDesktopCapable() bool

GetDesktopCapable returns the DesktopCapable field value if set, zero value otherwise.

func (*System) GetDesktopCapableOk

func (o *System) GetDesktopCapableOk() (*bool, bool)

GetDesktopCapableOk returns a tuple with the DesktopCapable field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetDisplayManager

func (o *System) GetDisplayManager() string

GetDisplayManager returns the DisplayManager field value if set, zero value otherwise.

func (*System) GetDisplayManagerOk

func (o *System) GetDisplayManagerOk() (*string, bool)

GetDisplayManagerOk returns a tuple with the DisplayManager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetDisplayName

func (o *System) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*System) GetDisplayNameOk

func (o *System) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetDomainInfo

func (o *System) GetDomainInfo() SystemDomainInfo

GetDomainInfo returns the DomainInfo field value if set, zero value otherwise.

func (*System) GetDomainInfoOk

func (o *System) GetDomainInfoOk() (*SystemDomainInfo, bool)

GetDomainInfoOk returns a tuple with the DomainInfo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetFde

func (o *System) GetFde() Fde

GetFde returns the Fde field value if set, zero value otherwise.

func (*System) GetFdeOk

func (o *System) GetFdeOk() (*Fde, bool)

GetFdeOk returns a tuple with the Fde field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetFileSystem

func (o *System) GetFileSystem() string

GetFileSystem returns the FileSystem field value if set, zero value otherwise (both if not set or set to explicit null).

func (*System) GetFileSystemOk

func (o *System) GetFileSystemOk() (*string, bool)

GetFileSystemOk returns a tuple with the FileSystem field value if set, nil otherwise and a boolean to check if the value has been set. NOTE: If the value is an explicit nil, `nil, true` will be returned

func (*System) GetHasServiceAccount

func (o *System) GetHasServiceAccount() bool

GetHasServiceAccount returns the HasServiceAccount field value if set, zero value otherwise.

func (*System) GetHasServiceAccountOk

func (o *System) GetHasServiceAccountOk() (*bool, bool)

GetHasServiceAccountOk returns a tuple with the HasServiceAccount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetHostname

func (o *System) GetHostname() string

GetHostname returns the Hostname field value if set, zero value otherwise.

func (*System) GetHostnameOk

func (o *System) GetHostnameOk() (*string, bool)

GetHostnameOk returns a tuple with the Hostname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetId

func (o *System) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*System) GetIdOk

func (o *System) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetLastContact

func (o *System) GetLastContact() time.Time

GetLastContact returns the LastContact field value if set, zero value otherwise (both if not set or set to explicit null).

func (*System) GetLastContactOk

func (o *System) GetLastContactOk() (*time.Time, bool)

GetLastContactOk returns a tuple with the LastContact field value if set, nil otherwise and a boolean to check if the value has been set. NOTE: If the value is an explicit nil, `nil, true` will be returned

func (*System) GetMdm

func (o *System) GetMdm() SystemMdm

GetMdm returns the Mdm field value if set, zero value otherwise.

func (*System) GetMdmOk

func (o *System) GetMdmOk() (*SystemMdm, bool)

GetMdmOk returns a tuple with the Mdm field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetModifySSHDConfig

func (o *System) GetModifySSHDConfig() bool

GetModifySSHDConfig returns the ModifySSHDConfig field value if set, zero value otherwise.

func (*System) GetModifySSHDConfigOk

func (o *System) GetModifySSHDConfigOk() (*bool, bool)

GetModifySSHDConfigOk returns a tuple with the ModifySSHDConfig field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetNetworkInterfaces

func (o *System) GetNetworkInterfaces() []SystemNetworkInterfacesInner

GetNetworkInterfaces returns the NetworkInterfaces field value if set, zero value otherwise.

func (*System) GetNetworkInterfacesOk

func (o *System) GetNetworkInterfacesOk() ([]SystemNetworkInterfacesInner, bool)

GetNetworkInterfacesOk returns a tuple with the NetworkInterfaces field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetOrganization

func (o *System) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*System) GetOrganizationOk

func (o *System) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetOs

func (o *System) GetOs() string

GetOs returns the Os field value if set, zero value otherwise.

func (*System) GetOsFamily

func (o *System) GetOsFamily() string

GetOsFamily returns the OsFamily field value if set, zero value otherwise.

func (*System) GetOsFamilyOk

func (o *System) GetOsFamilyOk() (*string, bool)

GetOsFamilyOk returns a tuple with the OsFamily field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetOsOk

func (o *System) GetOsOk() (*string, bool)

GetOsOk returns a tuple with the Os field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetOsVersionDetail

func (o *System) GetOsVersionDetail() SystemOsVersionDetail

GetOsVersionDetail returns the OsVersionDetail field value if set, zero value otherwise.

func (*System) GetOsVersionDetailOk

func (o *System) GetOsVersionDetailOk() (*SystemOsVersionDetail, bool)

GetOsVersionDetailOk returns a tuple with the OsVersionDetail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetProvisionMetadata

func (o *System) GetProvisionMetadata() SystemProvisionMetadata

GetProvisionMetadata returns the ProvisionMetadata field value if set, zero value otherwise.

func (*System) GetProvisionMetadataOk

func (o *System) GetProvisionMetadataOk() (*SystemProvisionMetadata, bool)

GetProvisionMetadataOk returns a tuple with the ProvisionMetadata field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetRemoteIP

func (o *System) GetRemoteIP() string

GetRemoteIP returns the RemoteIP field value if set, zero value otherwise.

func (*System) GetRemoteIPOk

func (o *System) GetRemoteIPOk() (*string, bool)

GetRemoteIPOk returns a tuple with the RemoteIP field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetSerialNumber

func (o *System) GetSerialNumber() string

GetSerialNumber returns the SerialNumber field value if set, zero value otherwise.

func (*System) GetSerialNumberOk

func (o *System) GetSerialNumberOk() (*string, bool)

GetSerialNumberOk returns a tuple with the SerialNumber field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetServiceAccountState

func (o *System) GetServiceAccountState() SystemServiceAccountState

GetServiceAccountState returns the ServiceAccountState field value if set, zero value otherwise.

func (*System) GetServiceAccountStateOk

func (o *System) GetServiceAccountStateOk() (*SystemServiceAccountState, bool)

GetServiceAccountStateOk returns a tuple with the ServiceAccountState field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetSshRootEnabled

func (o *System) GetSshRootEnabled() bool

GetSshRootEnabled returns the SshRootEnabled field value if set, zero value otherwise.

func (*System) GetSshRootEnabledOk

func (o *System) GetSshRootEnabledOk() (*bool, bool)

GetSshRootEnabledOk returns a tuple with the SshRootEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetSshdParams

func (o *System) GetSshdParams() []SystemSshdParamsInner

GetSshdParams returns the SshdParams field value if set, zero value otherwise.

func (*System) GetSshdParamsOk

func (o *System) GetSshdParamsOk() ([]SystemSshdParamsInner, bool)

GetSshdParamsOk returns a tuple with the SshdParams field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetSystemInsights

func (o *System) GetSystemInsights() SystemSystemInsights

GetSystemInsights returns the SystemInsights field value if set, zero value otherwise.

func (*System) GetSystemInsightsOk

func (o *System) GetSystemInsightsOk() (*SystemSystemInsights, bool)

GetSystemInsightsOk returns a tuple with the SystemInsights field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetSystemTimezone

func (o *System) GetSystemTimezone() int32

GetSystemTimezone returns the SystemTimezone field value if set, zero value otherwise.

func (*System) GetSystemTimezoneOk

func (o *System) GetSystemTimezoneOk() (*int32, bool)

GetSystemTimezoneOk returns a tuple with the SystemTimezone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetTags

func (o *System) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*System) GetTagsOk

func (o *System) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetTemplateName

func (o *System) GetTemplateName() string

GetTemplateName returns the TemplateName field value if set, zero value otherwise.

func (*System) GetTemplateNameOk

func (o *System) GetTemplateNameOk() (*string, bool)

GetTemplateNameOk returns a tuple with the TemplateName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetUserMetrics

func (o *System) GetUserMetrics() []SystemUserMetricsInner

GetUserMetrics returns the UserMetrics field value if set, zero value otherwise.

func (*System) GetUserMetricsOk

func (o *System) GetUserMetricsOk() ([]SystemUserMetricsInner, bool)

GetUserMetricsOk returns a tuple with the UserMetrics field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) GetVersion

func (o *System) GetVersion() string

GetVersion returns the Version field value if set, zero value otherwise.

func (*System) GetVersionOk

func (o *System) GetVersionOk() (*string, bool)

GetVersionOk returns a tuple with the Version field value if set, nil otherwise and a boolean to check if the value has been set.

func (*System) HasActive

func (o *System) HasActive() bool

HasActive returns a boolean if a field has been set.

func (*System) HasAgentVersion

func (o *System) HasAgentVersion() bool

HasAgentVersion returns a boolean if a field has been set.

func (*System) HasAllowMultiFactorAuthentication

func (o *System) HasAllowMultiFactorAuthentication() bool

HasAllowMultiFactorAuthentication returns a boolean if a field has been set.

func (*System) HasAllowPublicKeyAuthentication

func (o *System) HasAllowPublicKeyAuthentication() bool

HasAllowPublicKeyAuthentication returns a boolean if a field has been set.

func (*System) HasAllowSshPasswordAuthentication

func (o *System) HasAllowSshPasswordAuthentication() bool

HasAllowSshPasswordAuthentication returns a boolean if a field has been set.

func (*System) HasAllowSshRootLogin

func (o *System) HasAllowSshRootLogin() bool

HasAllowSshRootLogin returns a boolean if a field has been set.

func (*System) HasAmazonInstanceID

func (o *System) HasAmazonInstanceID() bool

HasAmazonInstanceID returns a boolean if a field has been set.

func (*System) HasArch

func (o *System) HasArch() bool

HasArch returns a boolean if a field has been set.

func (*System) HasAzureAdJoined

func (o *System) HasAzureAdJoined() bool

HasAzureAdJoined returns a boolean if a field has been set.

func (*System) HasBuiltInCommands

func (o *System) HasBuiltInCommands() bool

HasBuiltInCommands returns a boolean if a field has been set.

func (*System) HasConnectionHistory

func (o *System) HasConnectionHistory() bool

HasConnectionHistory returns a boolean if a field has been set.

func (*System) HasCreated

func (o *System) HasCreated() bool

HasCreated returns a boolean if a field has been set.

func (*System) HasDescription

func (o *System) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*System) HasDesktopCapable

func (o *System) HasDesktopCapable() bool

HasDesktopCapable returns a boolean if a field has been set.

func (*System) HasDisplayManager

func (o *System) HasDisplayManager() bool

HasDisplayManager returns a boolean if a field has been set.

func (*System) HasDisplayName

func (o *System) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*System) HasDomainInfo

func (o *System) HasDomainInfo() bool

HasDomainInfo returns a boolean if a field has been set.

func (*System) HasFde

func (o *System) HasFde() bool

HasFde returns a boolean if a field has been set.

func (*System) HasFileSystem

func (o *System) HasFileSystem() bool

HasFileSystem returns a boolean if a field has been set.

func (*System) HasHasServiceAccount

func (o *System) HasHasServiceAccount() bool

HasHasServiceAccount returns a boolean if a field has been set.

func (*System) HasHostname

func (o *System) HasHostname() bool

HasHostname returns a boolean if a field has been set.

func (*System) HasId

func (o *System) HasId() bool

HasId returns a boolean if a field has been set.

func (*System) HasLastContact

func (o *System) HasLastContact() bool

HasLastContact returns a boolean if a field has been set.

func (*System) HasMdm

func (o *System) HasMdm() bool

HasMdm returns a boolean if a field has been set.

func (*System) HasModifySSHDConfig

func (o *System) HasModifySSHDConfig() bool

HasModifySSHDConfig returns a boolean if a field has been set.

func (*System) HasNetworkInterfaces

func (o *System) HasNetworkInterfaces() bool

HasNetworkInterfaces returns a boolean if a field has been set.

func (*System) HasOrganization

func (o *System) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*System) HasOs

func (o *System) HasOs() bool

HasOs returns a boolean if a field has been set.

func (*System) HasOsFamily

func (o *System) HasOsFamily() bool

HasOsFamily returns a boolean if a field has been set.

func (*System) HasOsVersionDetail

func (o *System) HasOsVersionDetail() bool

HasOsVersionDetail returns a boolean if a field has been set.

func (*System) HasProvisionMetadata

func (o *System) HasProvisionMetadata() bool

HasProvisionMetadata returns a boolean if a field has been set.

func (*System) HasRemoteIP

func (o *System) HasRemoteIP() bool

HasRemoteIP returns a boolean if a field has been set.

func (*System) HasSerialNumber

func (o *System) HasSerialNumber() bool

HasSerialNumber returns a boolean if a field has been set.

func (*System) HasServiceAccountState

func (o *System) HasServiceAccountState() bool

HasServiceAccountState returns a boolean if a field has been set.

func (*System) HasSshRootEnabled

func (o *System) HasSshRootEnabled() bool

HasSshRootEnabled returns a boolean if a field has been set.

func (*System) HasSshdParams

func (o *System) HasSshdParams() bool

HasSshdParams returns a boolean if a field has been set.

func (*System) HasSystemInsights

func (o *System) HasSystemInsights() bool

HasSystemInsights returns a boolean if a field has been set.

func (*System) HasSystemTimezone

func (o *System) HasSystemTimezone() bool

HasSystemTimezone returns a boolean if a field has been set.

func (*System) HasTags

func (o *System) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*System) HasTemplateName

func (o *System) HasTemplateName() bool

HasTemplateName returns a boolean if a field has been set.

func (*System) HasUserMetrics

func (o *System) HasUserMetrics() bool

HasUserMetrics returns a boolean if a field has been set.

func (*System) HasVersion

func (o *System) HasVersion() bool

HasVersion returns a boolean if a field has been set.

func (System) MarshalJSON

func (o System) MarshalJSON() ([]byte, error)

func (*System) SetActive

func (o *System) SetActive(v bool)

SetActive gets a reference to the given bool and assigns it to the Active field.

func (*System) SetAgentVersion

func (o *System) SetAgentVersion(v string)

SetAgentVersion gets a reference to the given string and assigns it to the AgentVersion field.

func (*System) SetAllowMultiFactorAuthentication

func (o *System) SetAllowMultiFactorAuthentication(v bool)

SetAllowMultiFactorAuthentication gets a reference to the given bool and assigns it to the AllowMultiFactorAuthentication field.

func (*System) SetAllowPublicKeyAuthentication

func (o *System) SetAllowPublicKeyAuthentication(v bool)

SetAllowPublicKeyAuthentication gets a reference to the given bool and assigns it to the AllowPublicKeyAuthentication field.

func (*System) SetAllowSshPasswordAuthentication

func (o *System) SetAllowSshPasswordAuthentication(v bool)

SetAllowSshPasswordAuthentication gets a reference to the given bool and assigns it to the AllowSshPasswordAuthentication field.

func (*System) SetAllowSshRootLogin

func (o *System) SetAllowSshRootLogin(v bool)

SetAllowSshRootLogin gets a reference to the given bool and assigns it to the AllowSshRootLogin field.

func (*System) SetAmazonInstanceID

func (o *System) SetAmazonInstanceID(v string)

SetAmazonInstanceID gets a reference to the given string and assigns it to the AmazonInstanceID field.

func (*System) SetArch

func (o *System) SetArch(v string)

SetArch gets a reference to the given string and assigns it to the Arch field.

func (*System) SetAzureAdJoined

func (o *System) SetAzureAdJoined(v bool)

SetAzureAdJoined gets a reference to the given bool and assigns it to the AzureAdJoined field.

func (*System) SetBuiltInCommands

func (o *System) SetBuiltInCommands(v []SystemBuiltInCommandsInner)

SetBuiltInCommands gets a reference to the given []SystemBuiltInCommandsInner and assigns it to the BuiltInCommands field.

func (*System) SetConnectionHistory

func (o *System) SetConnectionHistory(v []map[string]interface{})

SetConnectionHistory gets a reference to the given []map[string]interface{} and assigns it to the ConnectionHistory field.

func (*System) SetCreated

func (o *System) SetCreated(v time.Time)

SetCreated gets a reference to the given time.Time and assigns it to the Created field.

func (*System) SetDescription

func (o *System) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*System) SetDesktopCapable

func (o *System) SetDesktopCapable(v bool)

SetDesktopCapable gets a reference to the given bool and assigns it to the DesktopCapable field.

func (*System) SetDisplayManager

func (o *System) SetDisplayManager(v string)

SetDisplayManager gets a reference to the given string and assigns it to the DisplayManager field.

func (*System) SetDisplayName

func (o *System) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*System) SetDomainInfo

func (o *System) SetDomainInfo(v SystemDomainInfo)

SetDomainInfo gets a reference to the given SystemDomainInfo and assigns it to the DomainInfo field.

func (*System) SetFde

func (o *System) SetFde(v Fde)

SetFde gets a reference to the given Fde and assigns it to the Fde field.

func (*System) SetFileSystem

func (o *System) SetFileSystem(v string)

SetFileSystem gets a reference to the given NullableString and assigns it to the FileSystem field.

func (*System) SetFileSystemNil

func (o *System) SetFileSystemNil()

SetFileSystemNil sets the value for FileSystem to be an explicit nil

func (*System) SetHasServiceAccount

func (o *System) SetHasServiceAccount(v bool)

SetHasServiceAccount gets a reference to the given bool and assigns it to the HasServiceAccount field.

func (*System) SetHostname

func (o *System) SetHostname(v string)

SetHostname gets a reference to the given string and assigns it to the Hostname field.

func (*System) SetId

func (o *System) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*System) SetLastContact

func (o *System) SetLastContact(v time.Time)

SetLastContact gets a reference to the given NullableTime and assigns it to the LastContact field.

func (*System) SetLastContactNil

func (o *System) SetLastContactNil()

SetLastContactNil sets the value for LastContact to be an explicit nil

func (*System) SetMdm

func (o *System) SetMdm(v SystemMdm)

SetMdm gets a reference to the given SystemMdm and assigns it to the Mdm field.

func (*System) SetModifySSHDConfig

func (o *System) SetModifySSHDConfig(v bool)

SetModifySSHDConfig gets a reference to the given bool and assigns it to the ModifySSHDConfig field.

func (*System) SetNetworkInterfaces

func (o *System) SetNetworkInterfaces(v []SystemNetworkInterfacesInner)

SetNetworkInterfaces gets a reference to the given []SystemNetworkInterfacesInner and assigns it to the NetworkInterfaces field.

func (*System) SetOrganization

func (o *System) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*System) SetOs

func (o *System) SetOs(v string)

SetOs gets a reference to the given string and assigns it to the Os field.

func (*System) SetOsFamily

func (o *System) SetOsFamily(v string)

SetOsFamily gets a reference to the given string and assigns it to the OsFamily field.

func (*System) SetOsVersionDetail

func (o *System) SetOsVersionDetail(v SystemOsVersionDetail)

SetOsVersionDetail gets a reference to the given SystemOsVersionDetail and assigns it to the OsVersionDetail field.

func (*System) SetProvisionMetadata

func (o *System) SetProvisionMetadata(v SystemProvisionMetadata)

SetProvisionMetadata gets a reference to the given SystemProvisionMetadata and assigns it to the ProvisionMetadata field.

func (*System) SetRemoteIP

func (o *System) SetRemoteIP(v string)

SetRemoteIP gets a reference to the given string and assigns it to the RemoteIP field.

func (*System) SetSerialNumber

func (o *System) SetSerialNumber(v string)

SetSerialNumber gets a reference to the given string and assigns it to the SerialNumber field.

func (*System) SetServiceAccountState

func (o *System) SetServiceAccountState(v SystemServiceAccountState)

SetServiceAccountState gets a reference to the given SystemServiceAccountState and assigns it to the ServiceAccountState field.

func (*System) SetSshRootEnabled

func (o *System) SetSshRootEnabled(v bool)

SetSshRootEnabled gets a reference to the given bool and assigns it to the SshRootEnabled field.

func (*System) SetSshdParams

func (o *System) SetSshdParams(v []SystemSshdParamsInner)

SetSshdParams gets a reference to the given []SystemSshdParamsInner and assigns it to the SshdParams field.

func (*System) SetSystemInsights

func (o *System) SetSystemInsights(v SystemSystemInsights)

SetSystemInsights gets a reference to the given SystemSystemInsights and assigns it to the SystemInsights field.

func (*System) SetSystemTimezone

func (o *System) SetSystemTimezone(v int32)

SetSystemTimezone gets a reference to the given int32 and assigns it to the SystemTimezone field.

func (*System) SetTags

func (o *System) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*System) SetTemplateName

func (o *System) SetTemplateName(v string)

SetTemplateName gets a reference to the given string and assigns it to the TemplateName field.

func (*System) SetUserMetrics

func (o *System) SetUserMetrics(v []SystemUserMetricsInner)

SetUserMetrics gets a reference to the given []SystemUserMetricsInner and assigns it to the UserMetrics field.

func (*System) SetVersion

func (o *System) SetVersion(v string)

SetVersion gets a reference to the given string and assigns it to the Version field.

func (System) ToMap

func (o System) ToMap() (map[string]interface{}, error)

func (*System) UnmarshalJSON

func (o *System) UnmarshalJSON(bytes []byte) (err error)

func (*System) UnsetFileSystem

func (o *System) UnsetFileSystem()

UnsetFileSystem ensures that no value is present for FileSystem, not even an explicit nil

func (*System) UnsetLastContact

func (o *System) UnsetLastContact()

UnsetLastContact ensures that no value is present for LastContact, not even an explicit nil

type SystemBuiltInCommandsInner

type SystemBuiltInCommandsInner struct {
	Name                 *string `json:"name,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemBuiltInCommandsInner struct for SystemBuiltInCommandsInner

func NewSystemBuiltInCommandsInner

func NewSystemBuiltInCommandsInner() *SystemBuiltInCommandsInner

NewSystemBuiltInCommandsInner instantiates a new SystemBuiltInCommandsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemBuiltInCommandsInnerWithDefaults

func NewSystemBuiltInCommandsInnerWithDefaults() *SystemBuiltInCommandsInner

NewSystemBuiltInCommandsInnerWithDefaults instantiates a new SystemBuiltInCommandsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemBuiltInCommandsInner) GetName

func (o *SystemBuiltInCommandsInner) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*SystemBuiltInCommandsInner) GetNameOk

func (o *SystemBuiltInCommandsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemBuiltInCommandsInner) GetType

func (o *SystemBuiltInCommandsInner) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*SystemBuiltInCommandsInner) GetTypeOk

func (o *SystemBuiltInCommandsInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemBuiltInCommandsInner) HasName

func (o *SystemBuiltInCommandsInner) HasName() bool

HasName returns a boolean if a field has been set.

func (*SystemBuiltInCommandsInner) HasType

func (o *SystemBuiltInCommandsInner) HasType() bool

HasType returns a boolean if a field has been set.

func (SystemBuiltInCommandsInner) MarshalJSON

func (o SystemBuiltInCommandsInner) MarshalJSON() ([]byte, error)

func (*SystemBuiltInCommandsInner) SetName

func (o *SystemBuiltInCommandsInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*SystemBuiltInCommandsInner) SetType

func (o *SystemBuiltInCommandsInner) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemBuiltInCommandsInner) ToMap

func (o SystemBuiltInCommandsInner) ToMap() (map[string]interface{}, error)

func (*SystemBuiltInCommandsInner) UnmarshalJSON

func (o *SystemBuiltInCommandsInner) UnmarshalJSON(bytes []byte) (err error)

type SystemDomainInfo

type SystemDomainInfo struct {
	DomainName           *string `json:"domainName,omitempty"`
	PartOfDomain         *bool   `json:"partOfDomain,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemDomainInfo struct for SystemDomainInfo

func NewSystemDomainInfo

func NewSystemDomainInfo() *SystemDomainInfo

NewSystemDomainInfo instantiates a new SystemDomainInfo object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemDomainInfoWithDefaults

func NewSystemDomainInfoWithDefaults() *SystemDomainInfo

NewSystemDomainInfoWithDefaults instantiates a new SystemDomainInfo object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemDomainInfo) GetDomainName

func (o *SystemDomainInfo) GetDomainName() string

GetDomainName returns the DomainName field value if set, zero value otherwise.

func (*SystemDomainInfo) GetDomainNameOk

func (o *SystemDomainInfo) GetDomainNameOk() (*string, bool)

GetDomainNameOk returns a tuple with the DomainName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemDomainInfo) GetPartOfDomain

func (o *SystemDomainInfo) GetPartOfDomain() bool

GetPartOfDomain returns the PartOfDomain field value if set, zero value otherwise.

func (*SystemDomainInfo) GetPartOfDomainOk

func (o *SystemDomainInfo) GetPartOfDomainOk() (*bool, bool)

GetPartOfDomainOk returns a tuple with the PartOfDomain field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemDomainInfo) HasDomainName

func (o *SystemDomainInfo) HasDomainName() bool

HasDomainName returns a boolean if a field has been set.

func (*SystemDomainInfo) HasPartOfDomain

func (o *SystemDomainInfo) HasPartOfDomain() bool

HasPartOfDomain returns a boolean if a field has been set.

func (SystemDomainInfo) MarshalJSON

func (o SystemDomainInfo) MarshalJSON() ([]byte, error)

func (*SystemDomainInfo) SetDomainName

func (o *SystemDomainInfo) SetDomainName(v string)

SetDomainName gets a reference to the given string and assigns it to the DomainName field.

func (*SystemDomainInfo) SetPartOfDomain

func (o *SystemDomainInfo) SetPartOfDomain(v bool)

SetPartOfDomain gets a reference to the given bool and assigns it to the PartOfDomain field.

func (SystemDomainInfo) ToMap

func (o SystemDomainInfo) ToMap() (map[string]interface{}, error)

func (*SystemDomainInfo) UnmarshalJSON

func (o *SystemDomainInfo) UnmarshalJSON(bytes []byte) (err error)

type SystemMdm

type SystemMdm struct {
	Dep                  *bool              `json:"dep,omitempty"`
	EnrollmentType       *string            `json:"enrollmentType,omitempty"`
	Internal             *SystemMdmInternal `json:"internal,omitempty"`
	ProfileIdentifier    *string            `json:"profileIdentifier,omitempty"`
	UserApproved         *bool              `json:"userApproved,omitempty"`
	Vendor               *string            `json:"vendor,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemMdm struct for SystemMdm

func NewSystemMdm

func NewSystemMdm() *SystemMdm

NewSystemMdm instantiates a new SystemMdm object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemMdmWithDefaults

func NewSystemMdmWithDefaults() *SystemMdm

NewSystemMdmWithDefaults instantiates a new SystemMdm object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemMdm) GetDep

func (o *SystemMdm) GetDep() bool

GetDep returns the Dep field value if set, zero value otherwise.

func (*SystemMdm) GetDepOk

func (o *SystemMdm) GetDepOk() (*bool, bool)

GetDepOk returns a tuple with the Dep field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) GetEnrollmentType

func (o *SystemMdm) GetEnrollmentType() string

GetEnrollmentType returns the EnrollmentType field value if set, zero value otherwise.

func (*SystemMdm) GetEnrollmentTypeOk

func (o *SystemMdm) GetEnrollmentTypeOk() (*string, bool)

GetEnrollmentTypeOk returns a tuple with the EnrollmentType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) GetInternal

func (o *SystemMdm) GetInternal() SystemMdmInternal

GetInternal returns the Internal field value if set, zero value otherwise.

func (*SystemMdm) GetInternalOk

func (o *SystemMdm) GetInternalOk() (*SystemMdmInternal, bool)

GetInternalOk returns a tuple with the Internal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) GetProfileIdentifier

func (o *SystemMdm) GetProfileIdentifier() string

GetProfileIdentifier returns the ProfileIdentifier field value if set, zero value otherwise.

func (*SystemMdm) GetProfileIdentifierOk

func (o *SystemMdm) GetProfileIdentifierOk() (*string, bool)

GetProfileIdentifierOk returns a tuple with the ProfileIdentifier field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) GetUserApproved

func (o *SystemMdm) GetUserApproved() bool

GetUserApproved returns the UserApproved field value if set, zero value otherwise.

func (*SystemMdm) GetUserApprovedOk

func (o *SystemMdm) GetUserApprovedOk() (*bool, bool)

GetUserApprovedOk returns a tuple with the UserApproved field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) GetVendor

func (o *SystemMdm) GetVendor() string

GetVendor returns the Vendor field value if set, zero value otherwise.

func (*SystemMdm) GetVendorOk

func (o *SystemMdm) GetVendorOk() (*string, bool)

GetVendorOk returns a tuple with the Vendor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdm) HasDep

func (o *SystemMdm) HasDep() bool

HasDep returns a boolean if a field has been set.

func (*SystemMdm) HasEnrollmentType

func (o *SystemMdm) HasEnrollmentType() bool

HasEnrollmentType returns a boolean if a field has been set.

func (*SystemMdm) HasInternal

func (o *SystemMdm) HasInternal() bool

HasInternal returns a boolean if a field has been set.

func (*SystemMdm) HasProfileIdentifier

func (o *SystemMdm) HasProfileIdentifier() bool

HasProfileIdentifier returns a boolean if a field has been set.

func (*SystemMdm) HasUserApproved

func (o *SystemMdm) HasUserApproved() bool

HasUserApproved returns a boolean if a field has been set.

func (*SystemMdm) HasVendor

func (o *SystemMdm) HasVendor() bool

HasVendor returns a boolean if a field has been set.

func (SystemMdm) MarshalJSON

func (o SystemMdm) MarshalJSON() ([]byte, error)

func (*SystemMdm) SetDep

func (o *SystemMdm) SetDep(v bool)

SetDep gets a reference to the given bool and assigns it to the Dep field.

func (*SystemMdm) SetEnrollmentType

func (o *SystemMdm) SetEnrollmentType(v string)

SetEnrollmentType gets a reference to the given string and assigns it to the EnrollmentType field.

func (*SystemMdm) SetInternal

func (o *SystemMdm) SetInternal(v SystemMdmInternal)

SetInternal gets a reference to the given SystemMdmInternal and assigns it to the Internal field.

func (*SystemMdm) SetProfileIdentifier

func (o *SystemMdm) SetProfileIdentifier(v string)

SetProfileIdentifier gets a reference to the given string and assigns it to the ProfileIdentifier field.

func (*SystemMdm) SetUserApproved

func (o *SystemMdm) SetUserApproved(v bool)

SetUserApproved gets a reference to the given bool and assigns it to the UserApproved field.

func (*SystemMdm) SetVendor

func (o *SystemMdm) SetVendor(v string)

SetVendor gets a reference to the given string and assigns it to the Vendor field.

func (SystemMdm) ToMap

func (o SystemMdm) ToMap() (map[string]interface{}, error)

func (*SystemMdm) UnmarshalJSON

func (o *SystemMdm) UnmarshalJSON(bytes []byte) (err error)

type SystemMdmInternal

type SystemMdmInternal struct {
	DeviceId             *string `json:"deviceId,omitempty"`
	WindowsDeviceId      *string `json:"windowsDeviceId,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemMdmInternal struct for SystemMdmInternal

func NewSystemMdmInternal

func NewSystemMdmInternal() *SystemMdmInternal

NewSystemMdmInternal instantiates a new SystemMdmInternal object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemMdmInternalWithDefaults

func NewSystemMdmInternalWithDefaults() *SystemMdmInternal

NewSystemMdmInternalWithDefaults instantiates a new SystemMdmInternal object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemMdmInternal) GetDeviceId

func (o *SystemMdmInternal) GetDeviceId() string

GetDeviceId returns the DeviceId field value if set, zero value otherwise.

func (*SystemMdmInternal) GetDeviceIdOk

func (o *SystemMdmInternal) GetDeviceIdOk() (*string, bool)

GetDeviceIdOk returns a tuple with the DeviceId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdmInternal) GetWindowsDeviceId

func (o *SystemMdmInternal) GetWindowsDeviceId() string

GetWindowsDeviceId returns the WindowsDeviceId field value if set, zero value otherwise.

func (*SystemMdmInternal) GetWindowsDeviceIdOk

func (o *SystemMdmInternal) GetWindowsDeviceIdOk() (*string, bool)

GetWindowsDeviceIdOk returns a tuple with the WindowsDeviceId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemMdmInternal) HasDeviceId

func (o *SystemMdmInternal) HasDeviceId() bool

HasDeviceId returns a boolean if a field has been set.

func (*SystemMdmInternal) HasWindowsDeviceId

func (o *SystemMdmInternal) HasWindowsDeviceId() bool

HasWindowsDeviceId returns a boolean if a field has been set.

func (SystemMdmInternal) MarshalJSON

func (o SystemMdmInternal) MarshalJSON() ([]byte, error)

func (*SystemMdmInternal) SetDeviceId

func (o *SystemMdmInternal) SetDeviceId(v string)

SetDeviceId gets a reference to the given string and assigns it to the DeviceId field.

func (*SystemMdmInternal) SetWindowsDeviceId

func (o *SystemMdmInternal) SetWindowsDeviceId(v string)

SetWindowsDeviceId gets a reference to the given string and assigns it to the WindowsDeviceId field.

func (SystemMdmInternal) ToMap

func (o SystemMdmInternal) ToMap() (map[string]interface{}, error)

func (*SystemMdmInternal) UnmarshalJSON

func (o *SystemMdmInternal) UnmarshalJSON(bytes []byte) (err error)

type SystemNetworkInterfacesInner

type SystemNetworkInterfacesInner struct {
	Address              *string `json:"address,omitempty"`
	Family               *string `json:"family,omitempty"`
	Internal             *bool   `json:"internal,omitempty"`
	Name                 *string `json:"name,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemNetworkInterfacesInner struct for SystemNetworkInterfacesInner

func NewSystemNetworkInterfacesInner

func NewSystemNetworkInterfacesInner() *SystemNetworkInterfacesInner

NewSystemNetworkInterfacesInner instantiates a new SystemNetworkInterfacesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemNetworkInterfacesInnerWithDefaults

func NewSystemNetworkInterfacesInnerWithDefaults() *SystemNetworkInterfacesInner

NewSystemNetworkInterfacesInnerWithDefaults instantiates a new SystemNetworkInterfacesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemNetworkInterfacesInner) GetAddress

func (o *SystemNetworkInterfacesInner) GetAddress() string

GetAddress returns the Address field value if set, zero value otherwise.

func (*SystemNetworkInterfacesInner) GetAddressOk

func (o *SystemNetworkInterfacesInner) GetAddressOk() (*string, bool)

GetAddressOk returns a tuple with the Address field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemNetworkInterfacesInner) GetFamily

func (o *SystemNetworkInterfacesInner) GetFamily() string

GetFamily returns the Family field value if set, zero value otherwise.

func (*SystemNetworkInterfacesInner) GetFamilyOk

func (o *SystemNetworkInterfacesInner) GetFamilyOk() (*string, bool)

GetFamilyOk returns a tuple with the Family field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemNetworkInterfacesInner) GetInternal

func (o *SystemNetworkInterfacesInner) GetInternal() bool

GetInternal returns the Internal field value if set, zero value otherwise.

func (*SystemNetworkInterfacesInner) GetInternalOk

func (o *SystemNetworkInterfacesInner) GetInternalOk() (*bool, bool)

GetInternalOk returns a tuple with the Internal field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemNetworkInterfacesInner) GetName

func (o *SystemNetworkInterfacesInner) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*SystemNetworkInterfacesInner) GetNameOk

func (o *SystemNetworkInterfacesInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemNetworkInterfacesInner) HasAddress

func (o *SystemNetworkInterfacesInner) HasAddress() bool

HasAddress returns a boolean if a field has been set.

func (*SystemNetworkInterfacesInner) HasFamily

func (o *SystemNetworkInterfacesInner) HasFamily() bool

HasFamily returns a boolean if a field has been set.

func (*SystemNetworkInterfacesInner) HasInternal

func (o *SystemNetworkInterfacesInner) HasInternal() bool

HasInternal returns a boolean if a field has been set.

func (*SystemNetworkInterfacesInner) HasName

func (o *SystemNetworkInterfacesInner) HasName() bool

HasName returns a boolean if a field has been set.

func (SystemNetworkInterfacesInner) MarshalJSON

func (o SystemNetworkInterfacesInner) MarshalJSON() ([]byte, error)

func (*SystemNetworkInterfacesInner) SetAddress

func (o *SystemNetworkInterfacesInner) SetAddress(v string)

SetAddress gets a reference to the given string and assigns it to the Address field.

func (*SystemNetworkInterfacesInner) SetFamily

func (o *SystemNetworkInterfacesInner) SetFamily(v string)

SetFamily gets a reference to the given string and assigns it to the Family field.

func (*SystemNetworkInterfacesInner) SetInternal

func (o *SystemNetworkInterfacesInner) SetInternal(v bool)

SetInternal gets a reference to the given bool and assigns it to the Internal field.

func (*SystemNetworkInterfacesInner) SetName

func (o *SystemNetworkInterfacesInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (SystemNetworkInterfacesInner) ToMap

func (o SystemNetworkInterfacesInner) ToMap() (map[string]interface{}, error)

func (*SystemNetworkInterfacesInner) UnmarshalJSON

func (o *SystemNetworkInterfacesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemOsVersionDetail

type SystemOsVersionDetail struct {
	Major                *string `json:"major,omitempty"`
	Minor                *string `json:"minor,omitempty"`
	OsName               *string `json:"osName,omitempty"`
	Patch                *string `json:"patch,omitempty"`
	ReleaseName          *string `json:"releaseName,omitempty"`
	Revision             *string `json:"revision,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemOsVersionDetail struct for SystemOsVersionDetail

func NewSystemOsVersionDetail

func NewSystemOsVersionDetail() *SystemOsVersionDetail

NewSystemOsVersionDetail instantiates a new SystemOsVersionDetail object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemOsVersionDetailWithDefaults

func NewSystemOsVersionDetailWithDefaults() *SystemOsVersionDetail

NewSystemOsVersionDetailWithDefaults instantiates a new SystemOsVersionDetail object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemOsVersionDetail) GetMajor

func (o *SystemOsVersionDetail) GetMajor() string

GetMajor returns the Major field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetMajorOk

func (o *SystemOsVersionDetail) GetMajorOk() (*string, bool)

GetMajorOk returns a tuple with the Major field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) GetMinor

func (o *SystemOsVersionDetail) GetMinor() string

GetMinor returns the Minor field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetMinorOk

func (o *SystemOsVersionDetail) GetMinorOk() (*string, bool)

GetMinorOk returns a tuple with the Minor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) GetOsName

func (o *SystemOsVersionDetail) GetOsName() string

GetOsName returns the OsName field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetOsNameOk

func (o *SystemOsVersionDetail) GetOsNameOk() (*string, bool)

GetOsNameOk returns a tuple with the OsName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) GetPatch

func (o *SystemOsVersionDetail) GetPatch() string

GetPatch returns the Patch field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetPatchOk

func (o *SystemOsVersionDetail) GetPatchOk() (*string, bool)

GetPatchOk returns a tuple with the Patch field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) GetReleaseName

func (o *SystemOsVersionDetail) GetReleaseName() string

GetReleaseName returns the ReleaseName field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetReleaseNameOk

func (o *SystemOsVersionDetail) GetReleaseNameOk() (*string, bool)

GetReleaseNameOk returns a tuple with the ReleaseName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) GetRevision

func (o *SystemOsVersionDetail) GetRevision() string

GetRevision returns the Revision field value if set, zero value otherwise.

func (*SystemOsVersionDetail) GetRevisionOk

func (o *SystemOsVersionDetail) GetRevisionOk() (*string, bool)

GetRevisionOk returns a tuple with the Revision field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemOsVersionDetail) HasMajor

func (o *SystemOsVersionDetail) HasMajor() bool

HasMajor returns a boolean if a field has been set.

func (*SystemOsVersionDetail) HasMinor

func (o *SystemOsVersionDetail) HasMinor() bool

HasMinor returns a boolean if a field has been set.

func (*SystemOsVersionDetail) HasOsName

func (o *SystemOsVersionDetail) HasOsName() bool

HasOsName returns a boolean if a field has been set.

func (*SystemOsVersionDetail) HasPatch

func (o *SystemOsVersionDetail) HasPatch() bool

HasPatch returns a boolean if a field has been set.

func (*SystemOsVersionDetail) HasReleaseName

func (o *SystemOsVersionDetail) HasReleaseName() bool

HasReleaseName returns a boolean if a field has been set.

func (*SystemOsVersionDetail) HasRevision

func (o *SystemOsVersionDetail) HasRevision() bool

HasRevision returns a boolean if a field has been set.

func (SystemOsVersionDetail) MarshalJSON

func (o SystemOsVersionDetail) MarshalJSON() ([]byte, error)

func (*SystemOsVersionDetail) SetMajor

func (o *SystemOsVersionDetail) SetMajor(v string)

SetMajor gets a reference to the given string and assigns it to the Major field.

func (*SystemOsVersionDetail) SetMinor

func (o *SystemOsVersionDetail) SetMinor(v string)

SetMinor gets a reference to the given string and assigns it to the Minor field.

func (*SystemOsVersionDetail) SetOsName

func (o *SystemOsVersionDetail) SetOsName(v string)

SetOsName gets a reference to the given string and assigns it to the OsName field.

func (*SystemOsVersionDetail) SetPatch

func (o *SystemOsVersionDetail) SetPatch(v string)

SetPatch gets a reference to the given string and assigns it to the Patch field.

func (*SystemOsVersionDetail) SetReleaseName

func (o *SystemOsVersionDetail) SetReleaseName(v string)

SetReleaseName gets a reference to the given string and assigns it to the ReleaseName field.

func (*SystemOsVersionDetail) SetRevision

func (o *SystemOsVersionDetail) SetRevision(v string)

SetRevision gets a reference to the given string and assigns it to the Revision field.

func (SystemOsVersionDetail) ToMap

func (o SystemOsVersionDetail) ToMap() (map[string]interface{}, error)

func (*SystemOsVersionDetail) UnmarshalJSON

func (o *SystemOsVersionDetail) UnmarshalJSON(bytes []byte) (err error)

type SystemProvisionMetadata

type SystemProvisionMetadata struct {
	Provisioner          *SystemProvisionMetadataProvisioner `json:"provisioner,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemProvisionMetadata struct for SystemProvisionMetadata

func NewSystemProvisionMetadata

func NewSystemProvisionMetadata() *SystemProvisionMetadata

NewSystemProvisionMetadata instantiates a new SystemProvisionMetadata object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemProvisionMetadataWithDefaults

func NewSystemProvisionMetadataWithDefaults() *SystemProvisionMetadata

NewSystemProvisionMetadataWithDefaults instantiates a new SystemProvisionMetadata object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemProvisionMetadata) GetProvisioner

GetProvisioner returns the Provisioner field value if set, zero value otherwise.

func (*SystemProvisionMetadata) GetProvisionerOk

GetProvisionerOk returns a tuple with the Provisioner field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemProvisionMetadata) HasProvisioner

func (o *SystemProvisionMetadata) HasProvisioner() bool

HasProvisioner returns a boolean if a field has been set.

func (SystemProvisionMetadata) MarshalJSON

func (o SystemProvisionMetadata) MarshalJSON() ([]byte, error)

func (*SystemProvisionMetadata) SetProvisioner

SetProvisioner gets a reference to the given SystemProvisionMetadataProvisioner and assigns it to the Provisioner field.

func (SystemProvisionMetadata) ToMap

func (o SystemProvisionMetadata) ToMap() (map[string]interface{}, error)

func (*SystemProvisionMetadata) UnmarshalJSON

func (o *SystemProvisionMetadata) UnmarshalJSON(bytes []byte) (err error)

type SystemProvisionMetadataProvisioner

type SystemProvisionMetadataProvisioner struct {
	ProvisionerId        *string `json:"provisionerId,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemProvisionMetadataProvisioner struct for SystemProvisionMetadataProvisioner

func NewSystemProvisionMetadataProvisioner

func NewSystemProvisionMetadataProvisioner() *SystemProvisionMetadataProvisioner

NewSystemProvisionMetadataProvisioner instantiates a new SystemProvisionMetadataProvisioner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemProvisionMetadataProvisionerWithDefaults

func NewSystemProvisionMetadataProvisionerWithDefaults() *SystemProvisionMetadataProvisioner

NewSystemProvisionMetadataProvisionerWithDefaults instantiates a new SystemProvisionMetadataProvisioner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemProvisionMetadataProvisioner) GetProvisionerId

func (o *SystemProvisionMetadataProvisioner) GetProvisionerId() string

GetProvisionerId returns the ProvisionerId field value if set, zero value otherwise.

func (*SystemProvisionMetadataProvisioner) GetProvisionerIdOk

func (o *SystemProvisionMetadataProvisioner) GetProvisionerIdOk() (*string, bool)

GetProvisionerIdOk returns a tuple with the ProvisionerId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemProvisionMetadataProvisioner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemProvisionMetadataProvisioner) GetTypeOk

func (o *SystemProvisionMetadataProvisioner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemProvisionMetadataProvisioner) HasProvisionerId

func (o *SystemProvisionMetadataProvisioner) HasProvisionerId() bool

HasProvisionerId returns a boolean if a field has been set.

func (*SystemProvisionMetadataProvisioner) HasType

HasType returns a boolean if a field has been set.

func (SystemProvisionMetadataProvisioner) MarshalJSON

func (o SystemProvisionMetadataProvisioner) MarshalJSON() ([]byte, error)

func (*SystemProvisionMetadataProvisioner) SetProvisionerId

func (o *SystemProvisionMetadataProvisioner) SetProvisionerId(v string)

SetProvisionerId gets a reference to the given string and assigns it to the ProvisionerId field.

func (*SystemProvisionMetadataProvisioner) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemProvisionMetadataProvisioner) ToMap

func (o SystemProvisionMetadataProvisioner) ToMap() (map[string]interface{}, error)

func (*SystemProvisionMetadataProvisioner) UnmarshalJSON

func (o *SystemProvisionMetadataProvisioner) UnmarshalJSON(bytes []byte) (err error)

type SystemServiceAccountState

type SystemServiceAccountState struct {
	HasSecureToken       *bool `json:"hasSecureToken,omitempty"`
	PasswordAPFSValid    *bool `json:"passwordAPFSValid,omitempty"`
	PasswordODValid      *bool `json:"passwordODValid,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemServiceAccountState struct for SystemServiceAccountState

func NewSystemServiceAccountState

func NewSystemServiceAccountState() *SystemServiceAccountState

NewSystemServiceAccountState instantiates a new SystemServiceAccountState object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemServiceAccountStateWithDefaults

func NewSystemServiceAccountStateWithDefaults() *SystemServiceAccountState

NewSystemServiceAccountStateWithDefaults instantiates a new SystemServiceAccountState object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemServiceAccountState) GetHasSecureToken

func (o *SystemServiceAccountState) GetHasSecureToken() bool

GetHasSecureToken returns the HasSecureToken field value if set, zero value otherwise.

func (*SystemServiceAccountState) GetHasSecureTokenOk

func (o *SystemServiceAccountState) GetHasSecureTokenOk() (*bool, bool)

GetHasSecureTokenOk returns a tuple with the HasSecureToken field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemServiceAccountState) GetPasswordAPFSValid

func (o *SystemServiceAccountState) GetPasswordAPFSValid() bool

GetPasswordAPFSValid returns the PasswordAPFSValid field value if set, zero value otherwise.

func (*SystemServiceAccountState) GetPasswordAPFSValidOk

func (o *SystemServiceAccountState) GetPasswordAPFSValidOk() (*bool, bool)

GetPasswordAPFSValidOk returns a tuple with the PasswordAPFSValid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemServiceAccountState) GetPasswordODValid

func (o *SystemServiceAccountState) GetPasswordODValid() bool

GetPasswordODValid returns the PasswordODValid field value if set, zero value otherwise.

func (*SystemServiceAccountState) GetPasswordODValidOk

func (o *SystemServiceAccountState) GetPasswordODValidOk() (*bool, bool)

GetPasswordODValidOk returns a tuple with the PasswordODValid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemServiceAccountState) HasHasSecureToken

func (o *SystemServiceAccountState) HasHasSecureToken() bool

HasHasSecureToken returns a boolean if a field has been set.

func (*SystemServiceAccountState) HasPasswordAPFSValid

func (o *SystemServiceAccountState) HasPasswordAPFSValid() bool

HasPasswordAPFSValid returns a boolean if a field has been set.

func (*SystemServiceAccountState) HasPasswordODValid

func (o *SystemServiceAccountState) HasPasswordODValid() bool

HasPasswordODValid returns a boolean if a field has been set.

func (SystemServiceAccountState) MarshalJSON

func (o SystemServiceAccountState) MarshalJSON() ([]byte, error)

func (*SystemServiceAccountState) SetHasSecureToken

func (o *SystemServiceAccountState) SetHasSecureToken(v bool)

SetHasSecureToken gets a reference to the given bool and assigns it to the HasSecureToken field.

func (*SystemServiceAccountState) SetPasswordAPFSValid

func (o *SystemServiceAccountState) SetPasswordAPFSValid(v bool)

SetPasswordAPFSValid gets a reference to the given bool and assigns it to the PasswordAPFSValid field.

func (*SystemServiceAccountState) SetPasswordODValid

func (o *SystemServiceAccountState) SetPasswordODValid(v bool)

SetPasswordODValid gets a reference to the given bool and assigns it to the PasswordODValid field.

func (SystemServiceAccountState) ToMap

func (o SystemServiceAccountState) ToMap() (map[string]interface{}, error)

func (*SystemServiceAccountState) UnmarshalJSON

func (o *SystemServiceAccountState) UnmarshalJSON(bytes []byte) (err error)

type SystemSshdParamsInner

type SystemSshdParamsInner struct {
	Name                 *string `json:"name,omitempty"`
	Value                *string `json:"value,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemSshdParamsInner struct for SystemSshdParamsInner

func NewSystemSshdParamsInner

func NewSystemSshdParamsInner() *SystemSshdParamsInner

NewSystemSshdParamsInner instantiates a new SystemSshdParamsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemSshdParamsInnerWithDefaults

func NewSystemSshdParamsInnerWithDefaults() *SystemSshdParamsInner

NewSystemSshdParamsInnerWithDefaults instantiates a new SystemSshdParamsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemSshdParamsInner) GetName

func (o *SystemSshdParamsInner) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*SystemSshdParamsInner) GetNameOk

func (o *SystemSshdParamsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemSshdParamsInner) GetValue

func (o *SystemSshdParamsInner) GetValue() string

GetValue returns the Value field value if set, zero value otherwise.

func (*SystemSshdParamsInner) GetValueOk

func (o *SystemSshdParamsInner) GetValueOk() (*string, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemSshdParamsInner) HasName

func (o *SystemSshdParamsInner) HasName() bool

HasName returns a boolean if a field has been set.

func (*SystemSshdParamsInner) HasValue

func (o *SystemSshdParamsInner) HasValue() bool

HasValue returns a boolean if a field has been set.

func (SystemSshdParamsInner) MarshalJSON

func (o SystemSshdParamsInner) MarshalJSON() ([]byte, error)

func (*SystemSshdParamsInner) SetName

func (o *SystemSshdParamsInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*SystemSshdParamsInner) SetValue

func (o *SystemSshdParamsInner) SetValue(v string)

SetValue gets a reference to the given string and assigns it to the Value field.

func (SystemSshdParamsInner) ToMap

func (o SystemSshdParamsInner) ToMap() (map[string]interface{}, error)

func (*SystemSshdParamsInner) UnmarshalJSON

func (o *SystemSshdParamsInner) UnmarshalJSON(bytes []byte) (err error)

type SystemSystemInsights

type SystemSystemInsights struct {
	State                *string `json:"state,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemSystemInsights struct for SystemSystemInsights

func NewSystemSystemInsights

func NewSystemSystemInsights() *SystemSystemInsights

NewSystemSystemInsights instantiates a new SystemSystemInsights object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemSystemInsightsWithDefaults

func NewSystemSystemInsightsWithDefaults() *SystemSystemInsights

NewSystemSystemInsightsWithDefaults instantiates a new SystemSystemInsights object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemSystemInsights) GetState

func (o *SystemSystemInsights) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*SystemSystemInsights) GetStateOk

func (o *SystemSystemInsights) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemSystemInsights) HasState

func (o *SystemSystemInsights) HasState() bool

HasState returns a boolean if a field has been set.

func (SystemSystemInsights) MarshalJSON

func (o SystemSystemInsights) MarshalJSON() ([]byte, error)

func (*SystemSystemInsights) SetState

func (o *SystemSystemInsights) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (SystemSystemInsights) ToMap

func (o SystemSystemInsights) ToMap() (map[string]interface{}, error)

func (*SystemSystemInsights) UnmarshalJSON

func (o *SystemSystemInsights) UnmarshalJSON(bytes []byte) (err error)

type SystemUserMetricsInner

type SystemUserMetricsInner struct {
	Admin                *bool   `json:"admin,omitempty"`
	Managed              *bool   `json:"managed,omitempty"`
	SecureTokenEnabled   *bool   `json:"secureTokenEnabled,omitempty"`
	Suspended            *bool   `json:"suspended,omitempty"`
	UserName             *string `json:"userName,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemUserMetricsInner struct for SystemUserMetricsInner

func NewSystemUserMetricsInner

func NewSystemUserMetricsInner() *SystemUserMetricsInner

NewSystemUserMetricsInner instantiates a new SystemUserMetricsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemUserMetricsInnerWithDefaults

func NewSystemUserMetricsInnerWithDefaults() *SystemUserMetricsInner

NewSystemUserMetricsInnerWithDefaults instantiates a new SystemUserMetricsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemUserMetricsInner) GetAdmin

func (o *SystemUserMetricsInner) GetAdmin() bool

GetAdmin returns the Admin field value if set, zero value otherwise.

func (*SystemUserMetricsInner) GetAdminOk

func (o *SystemUserMetricsInner) GetAdminOk() (*bool, bool)

GetAdminOk returns a tuple with the Admin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemUserMetricsInner) GetManaged

func (o *SystemUserMetricsInner) GetManaged() bool

GetManaged returns the Managed field value if set, zero value otherwise.

func (*SystemUserMetricsInner) GetManagedOk

func (o *SystemUserMetricsInner) GetManagedOk() (*bool, bool)

GetManagedOk returns a tuple with the Managed field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemUserMetricsInner) GetSecureTokenEnabled

func (o *SystemUserMetricsInner) GetSecureTokenEnabled() bool

GetSecureTokenEnabled returns the SecureTokenEnabled field value if set, zero value otherwise.

func (*SystemUserMetricsInner) GetSecureTokenEnabledOk

func (o *SystemUserMetricsInner) GetSecureTokenEnabledOk() (*bool, bool)

GetSecureTokenEnabledOk returns a tuple with the SecureTokenEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemUserMetricsInner) GetSuspended

func (o *SystemUserMetricsInner) GetSuspended() bool

GetSuspended returns the Suspended field value if set, zero value otherwise.

func (*SystemUserMetricsInner) GetSuspendedOk

func (o *SystemUserMetricsInner) GetSuspendedOk() (*bool, bool)

GetSuspendedOk returns a tuple with the Suspended field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemUserMetricsInner) GetUserName

func (o *SystemUserMetricsInner) GetUserName() string

GetUserName returns the UserName field value if set, zero value otherwise.

func (*SystemUserMetricsInner) GetUserNameOk

func (o *SystemUserMetricsInner) GetUserNameOk() (*string, bool)

GetUserNameOk returns a tuple with the UserName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemUserMetricsInner) HasAdmin

func (o *SystemUserMetricsInner) HasAdmin() bool

HasAdmin returns a boolean if a field has been set.

func (*SystemUserMetricsInner) HasManaged

func (o *SystemUserMetricsInner) HasManaged() bool

HasManaged returns a boolean if a field has been set.

func (*SystemUserMetricsInner) HasSecureTokenEnabled

func (o *SystemUserMetricsInner) HasSecureTokenEnabled() bool

HasSecureTokenEnabled returns a boolean if a field has been set.

func (*SystemUserMetricsInner) HasSuspended

func (o *SystemUserMetricsInner) HasSuspended() bool

HasSuspended returns a boolean if a field has been set.

func (*SystemUserMetricsInner) HasUserName

func (o *SystemUserMetricsInner) HasUserName() bool

HasUserName returns a boolean if a field has been set.

func (SystemUserMetricsInner) MarshalJSON

func (o SystemUserMetricsInner) MarshalJSON() ([]byte, error)

func (*SystemUserMetricsInner) SetAdmin

func (o *SystemUserMetricsInner) SetAdmin(v bool)

SetAdmin gets a reference to the given bool and assigns it to the Admin field.

func (*SystemUserMetricsInner) SetManaged

func (o *SystemUserMetricsInner) SetManaged(v bool)

SetManaged gets a reference to the given bool and assigns it to the Managed field.

func (*SystemUserMetricsInner) SetSecureTokenEnabled

func (o *SystemUserMetricsInner) SetSecureTokenEnabled(v bool)

SetSecureTokenEnabled gets a reference to the given bool and assigns it to the SecureTokenEnabled field.

func (*SystemUserMetricsInner) SetSuspended

func (o *SystemUserMetricsInner) SetSuspended(v bool)

SetSuspended gets a reference to the given bool and assigns it to the Suspended field.

func (*SystemUserMetricsInner) SetUserName

func (o *SystemUserMetricsInner) SetUserName(v string)

SetUserName gets a reference to the given string and assigns it to the UserName field.

func (SystemUserMetricsInner) ToMap

func (o SystemUserMetricsInner) ToMap() (map[string]interface{}, error)

func (*SystemUserMetricsInner) UnmarshalJSON

func (o *SystemUserMetricsInner) UnmarshalJSON(bytes []byte) (err error)

type Systemput

type Systemput struct {
	AgentBoundMessages             []SystemputAgentBoundMessagesInner `json:"agentBoundMessages,omitempty"`
	AllowMultiFactorAuthentication *bool                              `json:"allowMultiFactorAuthentication,omitempty"`
	AllowPublicKeyAuthentication   *bool                              `json:"allowPublicKeyAuthentication,omitempty"`
	AllowSshPasswordAuthentication *bool                              `json:"allowSshPasswordAuthentication,omitempty"`
	AllowSshRootLogin              *bool                              `json:"allowSshRootLogin,omitempty"`
	DisplayName                    *string                            `json:"displayName,omitempty"`
	Tags                           []string                           `json:"tags,omitempty"`
	AdditionalProperties           map[string]interface{}
}

Systemput struct for Systemput

func NewSystemput

func NewSystemput() *Systemput

NewSystemput instantiates a new Systemput object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemputWithDefaults

func NewSystemputWithDefaults() *Systemput

NewSystemputWithDefaults instantiates a new Systemput object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemput) GetAgentBoundMessages

func (o *Systemput) GetAgentBoundMessages() []SystemputAgentBoundMessagesInner

GetAgentBoundMessages returns the AgentBoundMessages field value if set, zero value otherwise.

func (*Systemput) GetAgentBoundMessagesOk

func (o *Systemput) GetAgentBoundMessagesOk() ([]SystemputAgentBoundMessagesInner, bool)

GetAgentBoundMessagesOk returns a tuple with the AgentBoundMessages field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetAllowMultiFactorAuthentication

func (o *Systemput) GetAllowMultiFactorAuthentication() bool

GetAllowMultiFactorAuthentication returns the AllowMultiFactorAuthentication field value if set, zero value otherwise.

func (*Systemput) GetAllowMultiFactorAuthenticationOk

func (o *Systemput) GetAllowMultiFactorAuthenticationOk() (*bool, bool)

GetAllowMultiFactorAuthenticationOk returns a tuple with the AllowMultiFactorAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetAllowPublicKeyAuthentication

func (o *Systemput) GetAllowPublicKeyAuthentication() bool

GetAllowPublicKeyAuthentication returns the AllowPublicKeyAuthentication field value if set, zero value otherwise.

func (*Systemput) GetAllowPublicKeyAuthenticationOk

func (o *Systemput) GetAllowPublicKeyAuthenticationOk() (*bool, bool)

GetAllowPublicKeyAuthenticationOk returns a tuple with the AllowPublicKeyAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetAllowSshPasswordAuthentication

func (o *Systemput) GetAllowSshPasswordAuthentication() bool

GetAllowSshPasswordAuthentication returns the AllowSshPasswordAuthentication field value if set, zero value otherwise.

func (*Systemput) GetAllowSshPasswordAuthenticationOk

func (o *Systemput) GetAllowSshPasswordAuthenticationOk() (*bool, bool)

GetAllowSshPasswordAuthenticationOk returns a tuple with the AllowSshPasswordAuthentication field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetAllowSshRootLogin

func (o *Systemput) GetAllowSshRootLogin() bool

GetAllowSshRootLogin returns the AllowSshRootLogin field value if set, zero value otherwise.

func (*Systemput) GetAllowSshRootLoginOk

func (o *Systemput) GetAllowSshRootLoginOk() (*bool, bool)

GetAllowSshRootLoginOk returns a tuple with the AllowSshRootLogin field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetDisplayName

func (o *Systemput) GetDisplayName() string

GetDisplayName returns the DisplayName field value if set, zero value otherwise.

func (*Systemput) GetDisplayNameOk

func (o *Systemput) GetDisplayNameOk() (*string, bool)

GetDisplayNameOk returns a tuple with the DisplayName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) GetTags

func (o *Systemput) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*Systemput) GetTagsOk

func (o *Systemput) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemput) HasAgentBoundMessages

func (o *Systemput) HasAgentBoundMessages() bool

HasAgentBoundMessages returns a boolean if a field has been set.

func (*Systemput) HasAllowMultiFactorAuthentication

func (o *Systemput) HasAllowMultiFactorAuthentication() bool

HasAllowMultiFactorAuthentication returns a boolean if a field has been set.

func (*Systemput) HasAllowPublicKeyAuthentication

func (o *Systemput) HasAllowPublicKeyAuthentication() bool

HasAllowPublicKeyAuthentication returns a boolean if a field has been set.

func (*Systemput) HasAllowSshPasswordAuthentication

func (o *Systemput) HasAllowSshPasswordAuthentication() bool

HasAllowSshPasswordAuthentication returns a boolean if a field has been set.

func (*Systemput) HasAllowSshRootLogin

func (o *Systemput) HasAllowSshRootLogin() bool

HasAllowSshRootLogin returns a boolean if a field has been set.

func (*Systemput) HasDisplayName

func (o *Systemput) HasDisplayName() bool

HasDisplayName returns a boolean if a field has been set.

func (*Systemput) HasTags

func (o *Systemput) HasTags() bool

HasTags returns a boolean if a field has been set.

func (Systemput) MarshalJSON

func (o Systemput) MarshalJSON() ([]byte, error)

func (*Systemput) SetAgentBoundMessages

func (o *Systemput) SetAgentBoundMessages(v []SystemputAgentBoundMessagesInner)

SetAgentBoundMessages gets a reference to the given []SystemputAgentBoundMessagesInner and assigns it to the AgentBoundMessages field.

func (*Systemput) SetAllowMultiFactorAuthentication

func (o *Systemput) SetAllowMultiFactorAuthentication(v bool)

SetAllowMultiFactorAuthentication gets a reference to the given bool and assigns it to the AllowMultiFactorAuthentication field.

func (*Systemput) SetAllowPublicKeyAuthentication

func (o *Systemput) SetAllowPublicKeyAuthentication(v bool)

SetAllowPublicKeyAuthentication gets a reference to the given bool and assigns it to the AllowPublicKeyAuthentication field.

func (*Systemput) SetAllowSshPasswordAuthentication

func (o *Systemput) SetAllowSshPasswordAuthentication(v bool)

SetAllowSshPasswordAuthentication gets a reference to the given bool and assigns it to the AllowSshPasswordAuthentication field.

func (*Systemput) SetAllowSshRootLogin

func (o *Systemput) SetAllowSshRootLogin(v bool)

SetAllowSshRootLogin gets a reference to the given bool and assigns it to the AllowSshRootLogin field.

func (*Systemput) SetDisplayName

func (o *Systemput) SetDisplayName(v string)

SetDisplayName gets a reference to the given string and assigns it to the DisplayName field.

func (*Systemput) SetTags

func (o *Systemput) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (Systemput) ToMap

func (o Systemput) ToMap() (map[string]interface{}, error)

func (*Systemput) UnmarshalJSON

func (o *Systemput) UnmarshalJSON(bytes []byte) (err error)

type SystemputAgentBoundMessagesInner

type SystemputAgentBoundMessagesInner struct {
	Cmd                  *string `json:"cmd,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemputAgentBoundMessagesInner struct for SystemputAgentBoundMessagesInner

func NewSystemputAgentBoundMessagesInner

func NewSystemputAgentBoundMessagesInner() *SystemputAgentBoundMessagesInner

NewSystemputAgentBoundMessagesInner instantiates a new SystemputAgentBoundMessagesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemputAgentBoundMessagesInnerWithDefaults

func NewSystemputAgentBoundMessagesInnerWithDefaults() *SystemputAgentBoundMessagesInner

NewSystemputAgentBoundMessagesInnerWithDefaults instantiates a new SystemputAgentBoundMessagesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemputAgentBoundMessagesInner) GetCmd

GetCmd returns the Cmd field value if set, zero value otherwise.

func (*SystemputAgentBoundMessagesInner) GetCmdOk

func (o *SystemputAgentBoundMessagesInner) GetCmdOk() (*string, bool)

GetCmdOk returns a tuple with the Cmd field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemputAgentBoundMessagesInner) HasCmd

HasCmd returns a boolean if a field has been set.

func (SystemputAgentBoundMessagesInner) MarshalJSON

func (o SystemputAgentBoundMessagesInner) MarshalJSON() ([]byte, error)

func (*SystemputAgentBoundMessagesInner) SetCmd

SetCmd gets a reference to the given string and assigns it to the Cmd field.

func (SystemputAgentBoundMessagesInner) ToMap

func (o SystemputAgentBoundMessagesInner) ToMap() (map[string]interface{}, error)

func (*SystemputAgentBoundMessagesInner) UnmarshalJSON

func (o *SystemputAgentBoundMessagesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemsApiService

type SystemsApiService service

SystemsApiService SystemsApi service

func (*SystemsApiService) SystemsCommandBuiltinErase

func (a *SystemsApiService) SystemsCommandBuiltinErase(ctx context.Context, systemId string) SystemsApiSystemsCommandBuiltinEraseRequest

SystemsCommandBuiltinErase Erase a System

This endpoint allows you to run the erase command on the specified device. If a device is offline, the command will be run when the device becomes available.

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systems/{system_id}/command/builtin/erase \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d {}

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param systemId
@return SystemsApiSystemsCommandBuiltinEraseRequest

func (*SystemsApiService) SystemsCommandBuiltinEraseExecute

func (a *SystemsApiService) SystemsCommandBuiltinEraseExecute(r SystemsApiSystemsCommandBuiltinEraseRequest) (*http.Response, error)

Execute executes the request

func (*SystemsApiService) SystemsCommandBuiltinLock

func (a *SystemsApiService) SystemsCommandBuiltinLock(ctx context.Context, systemId string) SystemsApiSystemsCommandBuiltinLockRequest

SystemsCommandBuiltinLock Lock a System

This endpoint allows you to run the lock command on the specified device. If a device is offline, the command will be run when the device becomes available.

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systems/{system_id}/command/builtin/lock \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d {}

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param systemId
@return SystemsApiSystemsCommandBuiltinLockRequest

func (*SystemsApiService) SystemsCommandBuiltinLockExecute

func (a *SystemsApiService) SystemsCommandBuiltinLockExecute(r SystemsApiSystemsCommandBuiltinLockRequest) (*http.Response, error)

Execute executes the request

func (*SystemsApiService) SystemsCommandBuiltinRestart

func (a *SystemsApiService) SystemsCommandBuiltinRestart(ctx context.Context, systemId string) SystemsApiSystemsCommandBuiltinRestartRequest

SystemsCommandBuiltinRestart Restart a System

This endpoint allows you to run the restart command on the specified device. If a device is offline, the command will be run when the device becomes available.

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systems/{system_id}/command/builtin/restart \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d {}

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param systemId
@return SystemsApiSystemsCommandBuiltinRestartRequest

func (*SystemsApiService) SystemsCommandBuiltinRestartExecute

func (a *SystemsApiService) SystemsCommandBuiltinRestartExecute(r SystemsApiSystemsCommandBuiltinRestartRequest) (*http.Response, error)

Execute executes the request

func (*SystemsApiService) SystemsCommandBuiltinShutdown

func (a *SystemsApiService) SystemsCommandBuiltinShutdown(ctx context.Context, systemId string) SystemsApiSystemsCommandBuiltinShutdownRequest

SystemsCommandBuiltinShutdown Shutdown a System

This endpoint allows you to run the shutdown command on the specified device. If a device is offline, the command will be run when the device becomes available.

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systems/{system_id}/command/builtin/shutdown \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d {}

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param systemId
@return SystemsApiSystemsCommandBuiltinShutdownRequest

func (*SystemsApiService) SystemsCommandBuiltinShutdownExecute

func (a *SystemsApiService) SystemsCommandBuiltinShutdownExecute(r SystemsApiSystemsCommandBuiltinShutdownRequest) (*http.Response, error)

Execute executes the request

func (*SystemsApiService) SystemsDelete

SystemsDelete Delete a System

This endpoint allows you to delete a system. This command will cause the system to uninstall the JumpCloud agent from its self which can can take about a minute. If the system is not connected to JumpCloud the system record will simply be removed.

#### Sample Request ```

curl -X DELETE https://console.jumpcloud.com/api/systems/{SystemID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return SystemsApiSystemsDeleteRequest

func (*SystemsApiService) SystemsDeleteExecute

func (a *SystemsApiService) SystemsDeleteExecute(r SystemsApiSystemsDeleteRequest) (*System, *http.Response, error)

Execute executes the request

@return System

func (*SystemsApiService) SystemsGet

SystemsGet List an individual system

This endpoint returns an individual system.

#### Sample Request ```

curl -X GET https://console.jumpcloud.com/api/systems/{SystemID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'
  ```

 @param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
 @param id
 @return SystemsApiSystemsGetRequest

func (*SystemsApiService) SystemsGetExecute

Execute executes the request

@return System

func (*SystemsApiService) SystemsList

SystemsList List All Systems

This endpoint returns all Systems.

#### Sample Requests ```

curl -X GET https://console.jumpcloud.com/api/systems \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SystemsApiSystemsListRequest

func (*SystemsApiService) SystemsListExecute

Execute executes the request

@return Systemslist

func (*SystemsApiService) SystemsPut

SystemsPut Update a system

This endpoint allows you to update a system.

#### Sample Request ```

curl -X PUT https://console.jumpcloud.com/api/systems/{SystemID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
	"displayName":"Name_Update",
	"allowSshPasswordAuthentication":"true",
	"allowSshRootLogin":"true",
	"allowMultiFactorAuthentication":"true",
	"allowPublicKeyAuthentication":"false"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemsApiSystemsPutRequest

func (*SystemsApiService) SystemsPutExecute

Execute executes the request

@return System

type SystemsApiSystemsCommandBuiltinEraseRequest

type SystemsApiSystemsCommandBuiltinEraseRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsCommandBuiltinEraseRequest) Execute

func (SystemsApiSystemsCommandBuiltinEraseRequest) XOrgId

type SystemsApiSystemsCommandBuiltinLockRequest

type SystemsApiSystemsCommandBuiltinLockRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsCommandBuiltinLockRequest) Execute

func (SystemsApiSystemsCommandBuiltinLockRequest) XOrgId

type SystemsApiSystemsCommandBuiltinRestartRequest

type SystemsApiSystemsCommandBuiltinRestartRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsCommandBuiltinRestartRequest) Execute

func (SystemsApiSystemsCommandBuiltinRestartRequest) XOrgId

type SystemsApiSystemsCommandBuiltinShutdownRequest

type SystemsApiSystemsCommandBuiltinShutdownRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsCommandBuiltinShutdownRequest) Execute

func (SystemsApiSystemsCommandBuiltinShutdownRequest) XOrgId

type SystemsApiSystemsDeleteRequest

type SystemsApiSystemsDeleteRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsDeleteRequest) Authorization

Authorization header for the System Context API

func (SystemsApiSystemsDeleteRequest) Date

Current date header for the System Context API

func (SystemsApiSystemsDeleteRequest) Execute

func (SystemsApiSystemsDeleteRequest) XOrgId

type SystemsApiSystemsGetRequest

type SystemsApiSystemsGetRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsGetRequest) Authorization

func (r SystemsApiSystemsGetRequest) Authorization(authorization string) SystemsApiSystemsGetRequest

Authorization header for the System Context API

func (SystemsApiSystemsGetRequest) Date

Current date header for the System Context API

func (SystemsApiSystemsGetRequest) Execute

func (SystemsApiSystemsGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SystemsApiSystemsGetRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SystemsApiSystemsGetRequest) XOrgId

type SystemsApiSystemsListRequest

type SystemsApiSystemsListRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsListRequest) Execute

func (SystemsApiSystemsListRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SystemsApiSystemsListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related `/search/<domain>` endpoints, e.g. `/search/systems`. **Filter structure**: `<field>:<operator>:<value>`. **field** = Populate with a valid field from an endpoint response. **operator** = Supported operators are: - `$eq` (equals) - `$ne` (does not equal) - `$gt` (is greater than) - `$gte` (is greater than or equal to) - `$lt` (is less than) - `$lte` (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the `$` will result in undefined behavior._ **value** = Populate with the value you want to search for. Is case sensitive. **Examples** - `GET /users?filter=username:$eq:testuser` - `GET /systemusers?filter=password_expiration_date:$lte:2021-10-24` - `GET /systemusers?filter=department:$ne:Accounting` - `GET /systems?filter[0]=firstname:$eq:foo&filter[1]=lastname:$eq:bar` - this will AND the filters together. - `GET /systems?filter[or][0]=lastname:$eq:foo&filter[or][1]=lastname:$eq:bar` - this will OR the filters together.

func (SystemsApiSystemsListRequest) Limit

The number of records to return at once. Limited to 100.

func (SystemsApiSystemsListRequest) Search

A nested object containing a `searchTerm` string or array of strings and a list of `fields` to search on.

func (SystemsApiSystemsListRequest) Skip

The offset into the records to return.

func (SystemsApiSystemsListRequest) Sort

Use space separated sort parameters to sort the collection. Default sort is ascending. Prefix with `-` to sort descending.

func (SystemsApiSystemsListRequest) XOrgId

type SystemsApiSystemsPutRequest

type SystemsApiSystemsPutRequest struct {
	ApiService *SystemsApiService
	// contains filtered or unexported fields
}

func (SystemsApiSystemsPutRequest) Authorization

func (r SystemsApiSystemsPutRequest) Authorization(authorization string) SystemsApiSystemsPutRequest

Authorization header for the System Context API

func (SystemsApiSystemsPutRequest) Body

func (SystemsApiSystemsPutRequest) Date

Current date header for the System Context API

func (SystemsApiSystemsPutRequest) Execute

func (SystemsApiSystemsPutRequest) XOrgId

type Systemslist

type Systemslist struct {
	// The list of systems.
	Results []System `json:"results,omitempty"`
	// The total number of systems.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Systemslist struct for Systemslist

func NewSystemslist

func NewSystemslist() *Systemslist

NewSystemslist instantiates a new Systemslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemslistWithDefaults

func NewSystemslistWithDefaults() *Systemslist

NewSystemslistWithDefaults instantiates a new Systemslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemslist) GetResults

func (o *Systemslist) GetResults() []System

GetResults returns the Results field value if set, zero value otherwise.

func (*Systemslist) GetResultsOk

func (o *Systemslist) GetResultsOk() ([]System, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemslist) GetTotalCount

func (o *Systemslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Systemslist) GetTotalCountOk

func (o *Systemslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemslist) HasResults

func (o *Systemslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Systemslist) HasTotalCount

func (o *Systemslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Systemslist) MarshalJSON

func (o Systemslist) MarshalJSON() ([]byte, error)

func (*Systemslist) SetResults

func (o *Systemslist) SetResults(v []System)

SetResults gets a reference to the given []System and assigns it to the Results field.

func (*Systemslist) SetTotalCount

func (o *Systemslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Systemslist) ToMap

func (o Systemslist) ToMap() (map[string]interface{}, error)

func (*Systemslist) UnmarshalJSON

func (o *Systemslist) UnmarshalJSON(bytes []byte) (err error)

type Systemuserput

type Systemuserput struct {
	AccountLocked *bool `json:"account_locked,omitempty"`
	// type, poBox, extendedAddress, streetAddress, locality, region, postalCode, country
	Addresses                     []SystemuserputAddressesInner  `json:"addresses,omitempty"`
	AllowPublicKey                *bool                          `json:"allow_public_key,omitempty"`
	AlternateEmail                *string                        `json:"alternateEmail,omitempty"`
	Attributes                    []SystemuserputAttributesInner `json:"attributes,omitempty"`
	Company                       *string                        `json:"company,omitempty"`
	CostCenter                    *string                        `json:"costCenter,omitempty"`
	Department                    *string                        `json:"department,omitempty"`
	Description                   *string                        `json:"description,omitempty"`
	DisableDeviceMaxLoginAttempts *bool                          `json:"disableDeviceMaxLoginAttempts,omitempty"`
	Displayname                   *string                        `json:"displayname,omitempty"`
	Email                         *string                        `json:"email,omitempty"`
	// Must be unique per user.
	EmployeeIdentifier             *string `json:"employeeIdentifier,omitempty"`
	EmployeeType                   *string `json:"employeeType,omitempty"`
	EnableManagedUid               *bool   `json:"enable_managed_uid,omitempty"`
	EnableUserPortalMultifactor    *bool   `json:"enable_user_portal_multifactor,omitempty"`
	ExternalDn                     *string `json:"external_dn,omitempty"`
	ExternalPasswordExpirationDate *string `json:"external_password_expiration_date,omitempty"`
	ExternalSourceType             *string `json:"external_source_type,omitempty"`
	ExternallyManaged              *bool   `json:"externally_managed,omitempty"`
	Firstname                      *string `json:"firstname,omitempty"`
	JobTitle                       *string `json:"jobTitle,omitempty"`
	Lastname                       *string `json:"lastname,omitempty"`
	LdapBindingUser                *bool   `json:"ldap_binding_user,omitempty"`
	Location                       *string `json:"location,omitempty"`
	ManagedAppleId                 *string `json:"managedAppleId,omitempty"`
	// Relation with another systemuser to identify the last as a manager.
	Manager              *string                           `json:"manager,omitempty"`
	Mfa                  *Mfa                              `json:"mfa,omitempty"`
	Middlename           *string                           `json:"middlename,omitempty"`
	Password             *string                           `json:"password,omitempty"`
	PasswordNeverExpires *bool                             `json:"password_never_expires,omitempty"`
	PhoneNumbers         []SystemuserputPhoneNumbersInner  `json:"phoneNumbers,omitempty"`
	PublicKey            *string                           `json:"public_key,omitempty"`
	Relationships        []SystemuserputRelationshipsInner `json:"relationships,omitempty"`
	SambaServiceUser     *bool                             `json:"samba_service_user,omitempty"`
	SshKeys              []Sshkeypost                      `json:"ssh_keys,omitempty"`
	State                *string                           `json:"state,omitempty"`
	Sudo                 *bool                             `json:"sudo,omitempty"`
	Suspended            *bool                             `json:"suspended,omitempty"`
	Tags                 []string                          `json:"tags,omitempty"`
	UnixGuid             *int32                            `json:"unix_guid,omitempty"`
	UnixUid              *int32                            `json:"unix_uid,omitempty"`
	Username             *string                           `json:"username,omitempty"`
	AdditionalProperties map[string]interface{}
}

Systemuserput struct for Systemuserput

func NewSystemuserput

func NewSystemuserput() *Systemuserput

NewSystemuserput instantiates a new Systemuserput object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputWithDefaults

func NewSystemuserputWithDefaults() *Systemuserput

NewSystemuserputWithDefaults instantiates a new Systemuserput object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemuserput) GetAccountLocked

func (o *Systemuserput) GetAccountLocked() bool

GetAccountLocked returns the AccountLocked field value if set, zero value otherwise.

func (*Systemuserput) GetAccountLockedOk

func (o *Systemuserput) GetAccountLockedOk() (*bool, bool)

GetAccountLockedOk returns a tuple with the AccountLocked field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetAddresses

func (o *Systemuserput) GetAddresses() []SystemuserputAddressesInner

GetAddresses returns the Addresses field value if set, zero value otherwise.

func (*Systemuserput) GetAddressesOk

func (o *Systemuserput) GetAddressesOk() ([]SystemuserputAddressesInner, bool)

GetAddressesOk returns a tuple with the Addresses field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetAllowPublicKey

func (o *Systemuserput) GetAllowPublicKey() bool

GetAllowPublicKey returns the AllowPublicKey field value if set, zero value otherwise.

func (*Systemuserput) GetAllowPublicKeyOk

func (o *Systemuserput) GetAllowPublicKeyOk() (*bool, bool)

GetAllowPublicKeyOk returns a tuple with the AllowPublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetAlternateEmail

func (o *Systemuserput) GetAlternateEmail() string

GetAlternateEmail returns the AlternateEmail field value if set, zero value otherwise.

func (*Systemuserput) GetAlternateEmailOk

func (o *Systemuserput) GetAlternateEmailOk() (*string, bool)

GetAlternateEmailOk returns a tuple with the AlternateEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetAttributes

func (o *Systemuserput) GetAttributes() []SystemuserputAttributesInner

GetAttributes returns the Attributes field value if set, zero value otherwise.

func (*Systemuserput) GetAttributesOk

func (o *Systemuserput) GetAttributesOk() ([]SystemuserputAttributesInner, bool)

GetAttributesOk returns a tuple with the Attributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetCompany

func (o *Systemuserput) GetCompany() string

GetCompany returns the Company field value if set, zero value otherwise.

func (*Systemuserput) GetCompanyOk

func (o *Systemuserput) GetCompanyOk() (*string, bool)

GetCompanyOk returns a tuple with the Company field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetCostCenter

func (o *Systemuserput) GetCostCenter() string

GetCostCenter returns the CostCenter field value if set, zero value otherwise.

func (*Systemuserput) GetCostCenterOk

func (o *Systemuserput) GetCostCenterOk() (*string, bool)

GetCostCenterOk returns a tuple with the CostCenter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetDepartment

func (o *Systemuserput) GetDepartment() string

GetDepartment returns the Department field value if set, zero value otherwise.

func (*Systemuserput) GetDepartmentOk

func (o *Systemuserput) GetDepartmentOk() (*string, bool)

GetDepartmentOk returns a tuple with the Department field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetDescription

func (o *Systemuserput) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*Systemuserput) GetDescriptionOk

func (o *Systemuserput) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetDisableDeviceMaxLoginAttempts

func (o *Systemuserput) GetDisableDeviceMaxLoginAttempts() bool

GetDisableDeviceMaxLoginAttempts returns the DisableDeviceMaxLoginAttempts field value if set, zero value otherwise.

func (*Systemuserput) GetDisableDeviceMaxLoginAttemptsOk

func (o *Systemuserput) GetDisableDeviceMaxLoginAttemptsOk() (*bool, bool)

GetDisableDeviceMaxLoginAttemptsOk returns a tuple with the DisableDeviceMaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetDisplayname

func (o *Systemuserput) GetDisplayname() string

GetDisplayname returns the Displayname field value if set, zero value otherwise.

func (*Systemuserput) GetDisplaynameOk

func (o *Systemuserput) GetDisplaynameOk() (*string, bool)

GetDisplaynameOk returns a tuple with the Displayname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetEmail

func (o *Systemuserput) GetEmail() string

GetEmail returns the Email field value if set, zero value otherwise.

func (*Systemuserput) GetEmailOk

func (o *Systemuserput) GetEmailOk() (*string, bool)

GetEmailOk returns a tuple with the Email field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetEmployeeIdentifier

func (o *Systemuserput) GetEmployeeIdentifier() string

GetEmployeeIdentifier returns the EmployeeIdentifier field value if set, zero value otherwise.

func (*Systemuserput) GetEmployeeIdentifierOk

func (o *Systemuserput) GetEmployeeIdentifierOk() (*string, bool)

GetEmployeeIdentifierOk returns a tuple with the EmployeeIdentifier field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetEmployeeType

func (o *Systemuserput) GetEmployeeType() string

GetEmployeeType returns the EmployeeType field value if set, zero value otherwise.

func (*Systemuserput) GetEmployeeTypeOk

func (o *Systemuserput) GetEmployeeTypeOk() (*string, bool)

GetEmployeeTypeOk returns a tuple with the EmployeeType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetEnableManagedUid

func (o *Systemuserput) GetEnableManagedUid() bool

GetEnableManagedUid returns the EnableManagedUid field value if set, zero value otherwise.

func (*Systemuserput) GetEnableManagedUidOk

func (o *Systemuserput) GetEnableManagedUidOk() (*bool, bool)

GetEnableManagedUidOk returns a tuple with the EnableManagedUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetEnableUserPortalMultifactor

func (o *Systemuserput) GetEnableUserPortalMultifactor() bool

GetEnableUserPortalMultifactor returns the EnableUserPortalMultifactor field value if set, zero value otherwise.

func (*Systemuserput) GetEnableUserPortalMultifactorOk

func (o *Systemuserput) GetEnableUserPortalMultifactorOk() (*bool, bool)

GetEnableUserPortalMultifactorOk returns a tuple with the EnableUserPortalMultifactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetExternalDn

func (o *Systemuserput) GetExternalDn() string

GetExternalDn returns the ExternalDn field value if set, zero value otherwise.

func (*Systemuserput) GetExternalDnOk

func (o *Systemuserput) GetExternalDnOk() (*string, bool)

GetExternalDnOk returns a tuple with the ExternalDn field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetExternalPasswordExpirationDate

func (o *Systemuserput) GetExternalPasswordExpirationDate() string

GetExternalPasswordExpirationDate returns the ExternalPasswordExpirationDate field value if set, zero value otherwise.

func (*Systemuserput) GetExternalPasswordExpirationDateOk

func (o *Systemuserput) GetExternalPasswordExpirationDateOk() (*string, bool)

GetExternalPasswordExpirationDateOk returns a tuple with the ExternalPasswordExpirationDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetExternalSourceType

func (o *Systemuserput) GetExternalSourceType() string

GetExternalSourceType returns the ExternalSourceType field value if set, zero value otherwise.

func (*Systemuserput) GetExternalSourceTypeOk

func (o *Systemuserput) GetExternalSourceTypeOk() (*string, bool)

GetExternalSourceTypeOk returns a tuple with the ExternalSourceType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetExternallyManaged

func (o *Systemuserput) GetExternallyManaged() bool

GetExternallyManaged returns the ExternallyManaged field value if set, zero value otherwise.

func (*Systemuserput) GetExternallyManagedOk

func (o *Systemuserput) GetExternallyManagedOk() (*bool, bool)

GetExternallyManagedOk returns a tuple with the ExternallyManaged field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetFirstname

func (o *Systemuserput) GetFirstname() string

GetFirstname returns the Firstname field value if set, zero value otherwise.

func (*Systemuserput) GetFirstnameOk

func (o *Systemuserput) GetFirstnameOk() (*string, bool)

GetFirstnameOk returns a tuple with the Firstname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetJobTitle

func (o *Systemuserput) GetJobTitle() string

GetJobTitle returns the JobTitle field value if set, zero value otherwise.

func (*Systemuserput) GetJobTitleOk

func (o *Systemuserput) GetJobTitleOk() (*string, bool)

GetJobTitleOk returns a tuple with the JobTitle field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetLastname

func (o *Systemuserput) GetLastname() string

GetLastname returns the Lastname field value if set, zero value otherwise.

func (*Systemuserput) GetLastnameOk

func (o *Systemuserput) GetLastnameOk() (*string, bool)

GetLastnameOk returns a tuple with the Lastname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetLdapBindingUser

func (o *Systemuserput) GetLdapBindingUser() bool

GetLdapBindingUser returns the LdapBindingUser field value if set, zero value otherwise.

func (*Systemuserput) GetLdapBindingUserOk

func (o *Systemuserput) GetLdapBindingUserOk() (*bool, bool)

GetLdapBindingUserOk returns a tuple with the LdapBindingUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetLocation

func (o *Systemuserput) GetLocation() string

GetLocation returns the Location field value if set, zero value otherwise.

func (*Systemuserput) GetLocationOk

func (o *Systemuserput) GetLocationOk() (*string, bool)

GetLocationOk returns a tuple with the Location field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetManagedAppleId

func (o *Systemuserput) GetManagedAppleId() string

GetManagedAppleId returns the ManagedAppleId field value if set, zero value otherwise.

func (*Systemuserput) GetManagedAppleIdOk

func (o *Systemuserput) GetManagedAppleIdOk() (*string, bool)

GetManagedAppleIdOk returns a tuple with the ManagedAppleId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetManager

func (o *Systemuserput) GetManager() string

GetManager returns the Manager field value if set, zero value otherwise.

func (*Systemuserput) GetManagerOk

func (o *Systemuserput) GetManagerOk() (*string, bool)

GetManagerOk returns a tuple with the Manager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetMfa

func (o *Systemuserput) GetMfa() Mfa

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Systemuserput) GetMfaOk

func (o *Systemuserput) GetMfaOk() (*Mfa, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetMiddlename

func (o *Systemuserput) GetMiddlename() string

GetMiddlename returns the Middlename field value if set, zero value otherwise.

func (*Systemuserput) GetMiddlenameOk

func (o *Systemuserput) GetMiddlenameOk() (*string, bool)

GetMiddlenameOk returns a tuple with the Middlename field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetPassword

func (o *Systemuserput) GetPassword() string

GetPassword returns the Password field value if set, zero value otherwise.

func (*Systemuserput) GetPasswordNeverExpires

func (o *Systemuserput) GetPasswordNeverExpires() bool

GetPasswordNeverExpires returns the PasswordNeverExpires field value if set, zero value otherwise.

func (*Systemuserput) GetPasswordNeverExpiresOk

func (o *Systemuserput) GetPasswordNeverExpiresOk() (*bool, bool)

GetPasswordNeverExpiresOk returns a tuple with the PasswordNeverExpires field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetPasswordOk

func (o *Systemuserput) GetPasswordOk() (*string, bool)

GetPasswordOk returns a tuple with the Password field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetPhoneNumbers

func (o *Systemuserput) GetPhoneNumbers() []SystemuserputPhoneNumbersInner

GetPhoneNumbers returns the PhoneNumbers field value if set, zero value otherwise.

func (*Systemuserput) GetPhoneNumbersOk

func (o *Systemuserput) GetPhoneNumbersOk() ([]SystemuserputPhoneNumbersInner, bool)

GetPhoneNumbersOk returns a tuple with the PhoneNumbers field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetPublicKey

func (o *Systemuserput) GetPublicKey() string

GetPublicKey returns the PublicKey field value if set, zero value otherwise.

func (*Systemuserput) GetPublicKeyOk

func (o *Systemuserput) GetPublicKeyOk() (*string, bool)

GetPublicKeyOk returns a tuple with the PublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetRelationships

func (o *Systemuserput) GetRelationships() []SystemuserputRelationshipsInner

GetRelationships returns the Relationships field value if set, zero value otherwise.

func (*Systemuserput) GetRelationshipsOk

func (o *Systemuserput) GetRelationshipsOk() ([]SystemuserputRelationshipsInner, bool)

GetRelationshipsOk returns a tuple with the Relationships field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetSambaServiceUser

func (o *Systemuserput) GetSambaServiceUser() bool

GetSambaServiceUser returns the SambaServiceUser field value if set, zero value otherwise.

func (*Systemuserput) GetSambaServiceUserOk

func (o *Systemuserput) GetSambaServiceUserOk() (*bool, bool)

GetSambaServiceUserOk returns a tuple with the SambaServiceUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetSshKeys

func (o *Systemuserput) GetSshKeys() []Sshkeypost

GetSshKeys returns the SshKeys field value if set, zero value otherwise.

func (*Systemuserput) GetSshKeysOk

func (o *Systemuserput) GetSshKeysOk() ([]Sshkeypost, bool)

GetSshKeysOk returns a tuple with the SshKeys field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetState

func (o *Systemuserput) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*Systemuserput) GetStateOk

func (o *Systemuserput) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetSudo

func (o *Systemuserput) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*Systemuserput) GetSudoOk

func (o *Systemuserput) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetSuspended

func (o *Systemuserput) GetSuspended() bool

GetSuspended returns the Suspended field value if set, zero value otherwise.

func (*Systemuserput) GetSuspendedOk

func (o *Systemuserput) GetSuspendedOk() (*bool, bool)

GetSuspendedOk returns a tuple with the Suspended field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetTags

func (o *Systemuserput) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*Systemuserput) GetTagsOk

func (o *Systemuserput) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetUnixGuid

func (o *Systemuserput) GetUnixGuid() int32

GetUnixGuid returns the UnixGuid field value if set, zero value otherwise.

func (*Systemuserput) GetUnixGuidOk

func (o *Systemuserput) GetUnixGuidOk() (*int32, bool)

GetUnixGuidOk returns a tuple with the UnixGuid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetUnixUid

func (o *Systemuserput) GetUnixUid() int32

GetUnixUid returns the UnixUid field value if set, zero value otherwise.

func (*Systemuserput) GetUnixUidOk

func (o *Systemuserput) GetUnixUidOk() (*int32, bool)

GetUnixUidOk returns a tuple with the UnixUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) GetUsername

func (o *Systemuserput) GetUsername() string

GetUsername returns the Username field value if set, zero value otherwise.

func (*Systemuserput) GetUsernameOk

func (o *Systemuserput) GetUsernameOk() (*string, bool)

GetUsernameOk returns a tuple with the Username field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserput) HasAccountLocked

func (o *Systemuserput) HasAccountLocked() bool

HasAccountLocked returns a boolean if a field has been set.

func (*Systemuserput) HasAddresses

func (o *Systemuserput) HasAddresses() bool

HasAddresses returns a boolean if a field has been set.

func (*Systemuserput) HasAllowPublicKey

func (o *Systemuserput) HasAllowPublicKey() bool

HasAllowPublicKey returns a boolean if a field has been set.

func (*Systemuserput) HasAlternateEmail

func (o *Systemuserput) HasAlternateEmail() bool

HasAlternateEmail returns a boolean if a field has been set.

func (*Systemuserput) HasAttributes

func (o *Systemuserput) HasAttributes() bool

HasAttributes returns a boolean if a field has been set.

func (*Systemuserput) HasCompany

func (o *Systemuserput) HasCompany() bool

HasCompany returns a boolean if a field has been set.

func (*Systemuserput) HasCostCenter

func (o *Systemuserput) HasCostCenter() bool

HasCostCenter returns a boolean if a field has been set.

func (*Systemuserput) HasDepartment

func (o *Systemuserput) HasDepartment() bool

HasDepartment returns a boolean if a field has been set.

func (*Systemuserput) HasDescription

func (o *Systemuserput) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*Systemuserput) HasDisableDeviceMaxLoginAttempts

func (o *Systemuserput) HasDisableDeviceMaxLoginAttempts() bool

HasDisableDeviceMaxLoginAttempts returns a boolean if a field has been set.

func (*Systemuserput) HasDisplayname

func (o *Systemuserput) HasDisplayname() bool

HasDisplayname returns a boolean if a field has been set.

func (*Systemuserput) HasEmail

func (o *Systemuserput) HasEmail() bool

HasEmail returns a boolean if a field has been set.

func (*Systemuserput) HasEmployeeIdentifier

func (o *Systemuserput) HasEmployeeIdentifier() bool

HasEmployeeIdentifier returns a boolean if a field has been set.

func (*Systemuserput) HasEmployeeType

func (o *Systemuserput) HasEmployeeType() bool

HasEmployeeType returns a boolean if a field has been set.

func (*Systemuserput) HasEnableManagedUid

func (o *Systemuserput) HasEnableManagedUid() bool

HasEnableManagedUid returns a boolean if a field has been set.

func (*Systemuserput) HasEnableUserPortalMultifactor

func (o *Systemuserput) HasEnableUserPortalMultifactor() bool

HasEnableUserPortalMultifactor returns a boolean if a field has been set.

func (*Systemuserput) HasExternalDn

func (o *Systemuserput) HasExternalDn() bool

HasExternalDn returns a boolean if a field has been set.

func (*Systemuserput) HasExternalPasswordExpirationDate

func (o *Systemuserput) HasExternalPasswordExpirationDate() bool

HasExternalPasswordExpirationDate returns a boolean if a field has been set.

func (*Systemuserput) HasExternalSourceType

func (o *Systemuserput) HasExternalSourceType() bool

HasExternalSourceType returns a boolean if a field has been set.

func (*Systemuserput) HasExternallyManaged

func (o *Systemuserput) HasExternallyManaged() bool

HasExternallyManaged returns a boolean if a field has been set.

func (*Systemuserput) HasFirstname

func (o *Systemuserput) HasFirstname() bool

HasFirstname returns a boolean if a field has been set.

func (*Systemuserput) HasJobTitle

func (o *Systemuserput) HasJobTitle() bool

HasJobTitle returns a boolean if a field has been set.

func (*Systemuserput) HasLastname

func (o *Systemuserput) HasLastname() bool

HasLastname returns a boolean if a field has been set.

func (*Systemuserput) HasLdapBindingUser

func (o *Systemuserput) HasLdapBindingUser() bool

HasLdapBindingUser returns a boolean if a field has been set.

func (*Systemuserput) HasLocation

func (o *Systemuserput) HasLocation() bool

HasLocation returns a boolean if a field has been set.

func (*Systemuserput) HasManagedAppleId

func (o *Systemuserput) HasManagedAppleId() bool

HasManagedAppleId returns a boolean if a field has been set.

func (*Systemuserput) HasManager

func (o *Systemuserput) HasManager() bool

HasManager returns a boolean if a field has been set.

func (*Systemuserput) HasMfa

func (o *Systemuserput) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Systemuserput) HasMiddlename

func (o *Systemuserput) HasMiddlename() bool

HasMiddlename returns a boolean if a field has been set.

func (*Systemuserput) HasPassword

func (o *Systemuserput) HasPassword() bool

HasPassword returns a boolean if a field has been set.

func (*Systemuserput) HasPasswordNeverExpires

func (o *Systemuserput) HasPasswordNeverExpires() bool

HasPasswordNeverExpires returns a boolean if a field has been set.

func (*Systemuserput) HasPhoneNumbers

func (o *Systemuserput) HasPhoneNumbers() bool

HasPhoneNumbers returns a boolean if a field has been set.

func (*Systemuserput) HasPublicKey

func (o *Systemuserput) HasPublicKey() bool

HasPublicKey returns a boolean if a field has been set.

func (*Systemuserput) HasRelationships

func (o *Systemuserput) HasRelationships() bool

HasRelationships returns a boolean if a field has been set.

func (*Systemuserput) HasSambaServiceUser

func (o *Systemuserput) HasSambaServiceUser() bool

HasSambaServiceUser returns a boolean if a field has been set.

func (*Systemuserput) HasSshKeys

func (o *Systemuserput) HasSshKeys() bool

HasSshKeys returns a boolean if a field has been set.

func (*Systemuserput) HasState

func (o *Systemuserput) HasState() bool

HasState returns a boolean if a field has been set.

func (*Systemuserput) HasSudo

func (o *Systemuserput) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*Systemuserput) HasSuspended

func (o *Systemuserput) HasSuspended() bool

HasSuspended returns a boolean if a field has been set.

func (*Systemuserput) HasTags

func (o *Systemuserput) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*Systemuserput) HasUnixGuid

func (o *Systemuserput) HasUnixGuid() bool

HasUnixGuid returns a boolean if a field has been set.

func (*Systemuserput) HasUnixUid

func (o *Systemuserput) HasUnixUid() bool

HasUnixUid returns a boolean if a field has been set.

func (*Systemuserput) HasUsername

func (o *Systemuserput) HasUsername() bool

HasUsername returns a boolean if a field has been set.

func (Systemuserput) MarshalJSON

func (o Systemuserput) MarshalJSON() ([]byte, error)

func (*Systemuserput) SetAccountLocked

func (o *Systemuserput) SetAccountLocked(v bool)

SetAccountLocked gets a reference to the given bool and assigns it to the AccountLocked field.

func (*Systemuserput) SetAddresses

func (o *Systemuserput) SetAddresses(v []SystemuserputAddressesInner)

SetAddresses gets a reference to the given []SystemuserputAddressesInner and assigns it to the Addresses field.

func (*Systemuserput) SetAllowPublicKey

func (o *Systemuserput) SetAllowPublicKey(v bool)

SetAllowPublicKey gets a reference to the given bool and assigns it to the AllowPublicKey field.

func (*Systemuserput) SetAlternateEmail

func (o *Systemuserput) SetAlternateEmail(v string)

SetAlternateEmail gets a reference to the given string and assigns it to the AlternateEmail field.

func (*Systemuserput) SetAttributes

func (o *Systemuserput) SetAttributes(v []SystemuserputAttributesInner)

SetAttributes gets a reference to the given []SystemuserputAttributesInner and assigns it to the Attributes field.

func (*Systemuserput) SetCompany

func (o *Systemuserput) SetCompany(v string)

SetCompany gets a reference to the given string and assigns it to the Company field.

func (*Systemuserput) SetCostCenter

func (o *Systemuserput) SetCostCenter(v string)

SetCostCenter gets a reference to the given string and assigns it to the CostCenter field.

func (*Systemuserput) SetDepartment

func (o *Systemuserput) SetDepartment(v string)

SetDepartment gets a reference to the given string and assigns it to the Department field.

func (*Systemuserput) SetDescription

func (o *Systemuserput) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*Systemuserput) SetDisableDeviceMaxLoginAttempts

func (o *Systemuserput) SetDisableDeviceMaxLoginAttempts(v bool)

SetDisableDeviceMaxLoginAttempts gets a reference to the given bool and assigns it to the DisableDeviceMaxLoginAttempts field.

func (*Systemuserput) SetDisplayname

func (o *Systemuserput) SetDisplayname(v string)

SetDisplayname gets a reference to the given string and assigns it to the Displayname field.

func (*Systemuserput) SetEmail

func (o *Systemuserput) SetEmail(v string)

SetEmail gets a reference to the given string and assigns it to the Email field.

func (*Systemuserput) SetEmployeeIdentifier

func (o *Systemuserput) SetEmployeeIdentifier(v string)

SetEmployeeIdentifier gets a reference to the given string and assigns it to the EmployeeIdentifier field.

func (*Systemuserput) SetEmployeeType

func (o *Systemuserput) SetEmployeeType(v string)

SetEmployeeType gets a reference to the given string and assigns it to the EmployeeType field.

func (*Systemuserput) SetEnableManagedUid

func (o *Systemuserput) SetEnableManagedUid(v bool)

SetEnableManagedUid gets a reference to the given bool and assigns it to the EnableManagedUid field.

func (*Systemuserput) SetEnableUserPortalMultifactor

func (o *Systemuserput) SetEnableUserPortalMultifactor(v bool)

SetEnableUserPortalMultifactor gets a reference to the given bool and assigns it to the EnableUserPortalMultifactor field.

func (*Systemuserput) SetExternalDn

func (o *Systemuserput) SetExternalDn(v string)

SetExternalDn gets a reference to the given string and assigns it to the ExternalDn field.

func (*Systemuserput) SetExternalPasswordExpirationDate

func (o *Systemuserput) SetExternalPasswordExpirationDate(v string)

SetExternalPasswordExpirationDate gets a reference to the given string and assigns it to the ExternalPasswordExpirationDate field.

func (*Systemuserput) SetExternalSourceType

func (o *Systemuserput) SetExternalSourceType(v string)

SetExternalSourceType gets a reference to the given string and assigns it to the ExternalSourceType field.

func (*Systemuserput) SetExternallyManaged

func (o *Systemuserput) SetExternallyManaged(v bool)

SetExternallyManaged gets a reference to the given bool and assigns it to the ExternallyManaged field.

func (*Systemuserput) SetFirstname

func (o *Systemuserput) SetFirstname(v string)

SetFirstname gets a reference to the given string and assigns it to the Firstname field.

func (*Systemuserput) SetJobTitle

func (o *Systemuserput) SetJobTitle(v string)

SetJobTitle gets a reference to the given string and assigns it to the JobTitle field.

func (*Systemuserput) SetLastname

func (o *Systemuserput) SetLastname(v string)

SetLastname gets a reference to the given string and assigns it to the Lastname field.

func (*Systemuserput) SetLdapBindingUser

func (o *Systemuserput) SetLdapBindingUser(v bool)

SetLdapBindingUser gets a reference to the given bool and assigns it to the LdapBindingUser field.

func (*Systemuserput) SetLocation

func (o *Systemuserput) SetLocation(v string)

SetLocation gets a reference to the given string and assigns it to the Location field.

func (*Systemuserput) SetManagedAppleId

func (o *Systemuserput) SetManagedAppleId(v string)

SetManagedAppleId gets a reference to the given string and assigns it to the ManagedAppleId field.

func (*Systemuserput) SetManager

func (o *Systemuserput) SetManager(v string)

SetManager gets a reference to the given string and assigns it to the Manager field.

func (*Systemuserput) SetMfa

func (o *Systemuserput) SetMfa(v Mfa)

SetMfa gets a reference to the given Mfa and assigns it to the Mfa field.

func (*Systemuserput) SetMiddlename

func (o *Systemuserput) SetMiddlename(v string)

SetMiddlename gets a reference to the given string and assigns it to the Middlename field.

func (*Systemuserput) SetPassword

func (o *Systemuserput) SetPassword(v string)

SetPassword gets a reference to the given string and assigns it to the Password field.

func (*Systemuserput) SetPasswordNeverExpires

func (o *Systemuserput) SetPasswordNeverExpires(v bool)

SetPasswordNeverExpires gets a reference to the given bool and assigns it to the PasswordNeverExpires field.

func (*Systemuserput) SetPhoneNumbers

func (o *Systemuserput) SetPhoneNumbers(v []SystemuserputPhoneNumbersInner)

SetPhoneNumbers gets a reference to the given []SystemuserputPhoneNumbersInner and assigns it to the PhoneNumbers field.

func (*Systemuserput) SetPublicKey

func (o *Systemuserput) SetPublicKey(v string)

SetPublicKey gets a reference to the given string and assigns it to the PublicKey field.

func (*Systemuserput) SetRelationships

func (o *Systemuserput) SetRelationships(v []SystemuserputRelationshipsInner)

SetRelationships gets a reference to the given []SystemuserputRelationshipsInner and assigns it to the Relationships field.

func (*Systemuserput) SetSambaServiceUser

func (o *Systemuserput) SetSambaServiceUser(v bool)

SetSambaServiceUser gets a reference to the given bool and assigns it to the SambaServiceUser field.

func (*Systemuserput) SetSshKeys

func (o *Systemuserput) SetSshKeys(v []Sshkeypost)

SetSshKeys gets a reference to the given []Sshkeypost and assigns it to the SshKeys field.

func (*Systemuserput) SetState

func (o *Systemuserput) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (*Systemuserput) SetSudo

func (o *Systemuserput) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*Systemuserput) SetSuspended

func (o *Systemuserput) SetSuspended(v bool)

SetSuspended gets a reference to the given bool and assigns it to the Suspended field.

func (*Systemuserput) SetTags

func (o *Systemuserput) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*Systemuserput) SetUnixGuid

func (o *Systemuserput) SetUnixGuid(v int32)

SetUnixGuid gets a reference to the given int32 and assigns it to the UnixGuid field.

func (*Systemuserput) SetUnixUid

func (o *Systemuserput) SetUnixUid(v int32)

SetUnixUid gets a reference to the given int32 and assigns it to the UnixUid field.

func (*Systemuserput) SetUsername

func (o *Systemuserput) SetUsername(v string)

SetUsername gets a reference to the given string and assigns it to the Username field.

func (Systemuserput) ToMap

func (o Systemuserput) ToMap() (map[string]interface{}, error)

func (*Systemuserput) UnmarshalJSON

func (o *Systemuserput) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputAddressesInner

type SystemuserputAddressesInner struct {
	Country              *string `json:"country,omitempty"`
	ExtendedAddress      *string `json:"extendedAddress,omitempty"`
	Locality             *string `json:"locality,omitempty"`
	PoBox                *string `json:"poBox,omitempty"`
	PostalCode           *string `json:"postalCode,omitempty"`
	Region               *string `json:"region,omitempty"`
	StreetAddress        *string `json:"streetAddress,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputAddressesInner struct for SystemuserputAddressesInner

func NewSystemuserputAddressesInner

func NewSystemuserputAddressesInner() *SystemuserputAddressesInner

NewSystemuserputAddressesInner instantiates a new SystemuserputAddressesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputAddressesInnerWithDefaults

func NewSystemuserputAddressesInnerWithDefaults() *SystemuserputAddressesInner

NewSystemuserputAddressesInnerWithDefaults instantiates a new SystemuserputAddressesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputAddressesInner) GetCountry

func (o *SystemuserputAddressesInner) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetCountryOk

func (o *SystemuserputAddressesInner) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetExtendedAddress

func (o *SystemuserputAddressesInner) GetExtendedAddress() string

GetExtendedAddress returns the ExtendedAddress field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetExtendedAddressOk

func (o *SystemuserputAddressesInner) GetExtendedAddressOk() (*string, bool)

GetExtendedAddressOk returns a tuple with the ExtendedAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetLocality

func (o *SystemuserputAddressesInner) GetLocality() string

GetLocality returns the Locality field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetLocalityOk

func (o *SystemuserputAddressesInner) GetLocalityOk() (*string, bool)

GetLocalityOk returns a tuple with the Locality field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetPoBox

func (o *SystemuserputAddressesInner) GetPoBox() string

GetPoBox returns the PoBox field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetPoBoxOk

func (o *SystemuserputAddressesInner) GetPoBoxOk() (*string, bool)

GetPoBoxOk returns a tuple with the PoBox field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetPostalCode

func (o *SystemuserputAddressesInner) GetPostalCode() string

GetPostalCode returns the PostalCode field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetPostalCodeOk

func (o *SystemuserputAddressesInner) GetPostalCodeOk() (*string, bool)

GetPostalCodeOk returns a tuple with the PostalCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetRegion

func (o *SystemuserputAddressesInner) GetRegion() string

GetRegion returns the Region field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetRegionOk

func (o *SystemuserputAddressesInner) GetRegionOk() (*string, bool)

GetRegionOk returns a tuple with the Region field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetStreetAddress

func (o *SystemuserputAddressesInner) GetStreetAddress() string

GetStreetAddress returns the StreetAddress field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetStreetAddressOk

func (o *SystemuserputAddressesInner) GetStreetAddressOk() (*string, bool)

GetStreetAddressOk returns a tuple with the StreetAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) GetType

func (o *SystemuserputAddressesInner) GetType() string

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserputAddressesInner) GetTypeOk

func (o *SystemuserputAddressesInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAddressesInner) HasCountry

func (o *SystemuserputAddressesInner) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasExtendedAddress

func (o *SystemuserputAddressesInner) HasExtendedAddress() bool

HasExtendedAddress returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasLocality

func (o *SystemuserputAddressesInner) HasLocality() bool

HasLocality returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasPoBox

func (o *SystemuserputAddressesInner) HasPoBox() bool

HasPoBox returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasPostalCode

func (o *SystemuserputAddressesInner) HasPostalCode() bool

HasPostalCode returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasRegion

func (o *SystemuserputAddressesInner) HasRegion() bool

HasRegion returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasStreetAddress

func (o *SystemuserputAddressesInner) HasStreetAddress() bool

HasStreetAddress returns a boolean if a field has been set.

func (*SystemuserputAddressesInner) HasType

func (o *SystemuserputAddressesInner) HasType() bool

HasType returns a boolean if a field has been set.

func (SystemuserputAddressesInner) MarshalJSON

func (o SystemuserputAddressesInner) MarshalJSON() ([]byte, error)

func (*SystemuserputAddressesInner) SetCountry

func (o *SystemuserputAddressesInner) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*SystemuserputAddressesInner) SetExtendedAddress

func (o *SystemuserputAddressesInner) SetExtendedAddress(v string)

SetExtendedAddress gets a reference to the given string and assigns it to the ExtendedAddress field.

func (*SystemuserputAddressesInner) SetLocality

func (o *SystemuserputAddressesInner) SetLocality(v string)

SetLocality gets a reference to the given string and assigns it to the Locality field.

func (*SystemuserputAddressesInner) SetPoBox

func (o *SystemuserputAddressesInner) SetPoBox(v string)

SetPoBox gets a reference to the given string and assigns it to the PoBox field.

func (*SystemuserputAddressesInner) SetPostalCode

func (o *SystemuserputAddressesInner) SetPostalCode(v string)

SetPostalCode gets a reference to the given string and assigns it to the PostalCode field.

func (*SystemuserputAddressesInner) SetRegion

func (o *SystemuserputAddressesInner) SetRegion(v string)

SetRegion gets a reference to the given string and assigns it to the Region field.

func (*SystemuserputAddressesInner) SetStreetAddress

func (o *SystemuserputAddressesInner) SetStreetAddress(v string)

SetStreetAddress gets a reference to the given string and assigns it to the StreetAddress field.

func (*SystemuserputAddressesInner) SetType

func (o *SystemuserputAddressesInner) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserputAddressesInner) ToMap

func (o SystemuserputAddressesInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputAddressesInner) UnmarshalJSON

func (o *SystemuserputAddressesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputAttributesInner

type SystemuserputAttributesInner struct {
	Name                 *string `json:"name,omitempty"`
	Value                *string `json:"value,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputAttributesInner struct for SystemuserputAttributesInner

func NewSystemuserputAttributesInner

func NewSystemuserputAttributesInner() *SystemuserputAttributesInner

NewSystemuserputAttributesInner instantiates a new SystemuserputAttributesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputAttributesInnerWithDefaults

func NewSystemuserputAttributesInnerWithDefaults() *SystemuserputAttributesInner

NewSystemuserputAttributesInnerWithDefaults instantiates a new SystemuserputAttributesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputAttributesInner) GetName

func (o *SystemuserputAttributesInner) GetName() string

GetName returns the Name field value if set, zero value otherwise.

func (*SystemuserputAttributesInner) GetNameOk

func (o *SystemuserputAttributesInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAttributesInner) GetValue

func (o *SystemuserputAttributesInner) GetValue() string

GetValue returns the Value field value if set, zero value otherwise.

func (*SystemuserputAttributesInner) GetValueOk

func (o *SystemuserputAttributesInner) GetValueOk() (*string, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputAttributesInner) HasName

func (o *SystemuserputAttributesInner) HasName() bool

HasName returns a boolean if a field has been set.

func (*SystemuserputAttributesInner) HasValue

func (o *SystemuserputAttributesInner) HasValue() bool

HasValue returns a boolean if a field has been set.

func (SystemuserputAttributesInner) MarshalJSON

func (o SystemuserputAttributesInner) MarshalJSON() ([]byte, error)

func (*SystemuserputAttributesInner) SetName

func (o *SystemuserputAttributesInner) SetName(v string)

SetName gets a reference to the given string and assigns it to the Name field.

func (*SystemuserputAttributesInner) SetValue

func (o *SystemuserputAttributesInner) SetValue(v string)

SetValue gets a reference to the given string and assigns it to the Value field.

func (SystemuserputAttributesInner) ToMap

func (o SystemuserputAttributesInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputAttributesInner) UnmarshalJSON

func (o *SystemuserputAttributesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputPhoneNumbersInner

type SystemuserputPhoneNumbersInner struct {
	Number               *string `json:"number,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputPhoneNumbersInner struct for SystemuserputPhoneNumbersInner

func NewSystemuserputPhoneNumbersInner

func NewSystemuserputPhoneNumbersInner() *SystemuserputPhoneNumbersInner

NewSystemuserputPhoneNumbersInner instantiates a new SystemuserputPhoneNumbersInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputPhoneNumbersInnerWithDefaults

func NewSystemuserputPhoneNumbersInnerWithDefaults() *SystemuserputPhoneNumbersInner

NewSystemuserputPhoneNumbersInnerWithDefaults instantiates a new SystemuserputPhoneNumbersInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputPhoneNumbersInner) GetNumber

func (o *SystemuserputPhoneNumbersInner) GetNumber() string

GetNumber returns the Number field value if set, zero value otherwise.

func (*SystemuserputPhoneNumbersInner) GetNumberOk

func (o *SystemuserputPhoneNumbersInner) GetNumberOk() (*string, bool)

GetNumberOk returns a tuple with the Number field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputPhoneNumbersInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserputPhoneNumbersInner) GetTypeOk

func (o *SystemuserputPhoneNumbersInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputPhoneNumbersInner) HasNumber

func (o *SystemuserputPhoneNumbersInner) HasNumber() bool

HasNumber returns a boolean if a field has been set.

func (*SystemuserputPhoneNumbersInner) HasType

func (o *SystemuserputPhoneNumbersInner) HasType() bool

HasType returns a boolean if a field has been set.

func (SystemuserputPhoneNumbersInner) MarshalJSON

func (o SystemuserputPhoneNumbersInner) MarshalJSON() ([]byte, error)

func (*SystemuserputPhoneNumbersInner) SetNumber

func (o *SystemuserputPhoneNumbersInner) SetNumber(v string)

SetNumber gets a reference to the given string and assigns it to the Number field.

func (*SystemuserputPhoneNumbersInner) SetType

func (o *SystemuserputPhoneNumbersInner) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserputPhoneNumbersInner) ToMap

func (o SystemuserputPhoneNumbersInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputPhoneNumbersInner) UnmarshalJSON

func (o *SystemuserputPhoneNumbersInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputRelationshipsInner

type SystemuserputRelationshipsInner struct {
	Type                 *string `json:"type,omitempty"`
	Value                *string `json:"value,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputRelationshipsInner struct for SystemuserputRelationshipsInner

func NewSystemuserputRelationshipsInner

func NewSystemuserputRelationshipsInner() *SystemuserputRelationshipsInner

NewSystemuserputRelationshipsInner instantiates a new SystemuserputRelationshipsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputRelationshipsInnerWithDefaults

func NewSystemuserputRelationshipsInnerWithDefaults() *SystemuserputRelationshipsInner

NewSystemuserputRelationshipsInnerWithDefaults instantiates a new SystemuserputRelationshipsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputRelationshipsInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserputRelationshipsInner) GetTypeOk

func (o *SystemuserputRelationshipsInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputRelationshipsInner) GetValue

GetValue returns the Value field value if set, zero value otherwise.

func (*SystemuserputRelationshipsInner) GetValueOk

func (o *SystemuserputRelationshipsInner) GetValueOk() (*string, bool)

GetValueOk returns a tuple with the Value field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputRelationshipsInner) HasType

HasType returns a boolean if a field has been set.

func (*SystemuserputRelationshipsInner) HasValue

func (o *SystemuserputRelationshipsInner) HasValue() bool

HasValue returns a boolean if a field has been set.

func (SystemuserputRelationshipsInner) MarshalJSON

func (o SystemuserputRelationshipsInner) MarshalJSON() ([]byte, error)

func (*SystemuserputRelationshipsInner) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (*SystemuserputRelationshipsInner) SetValue

func (o *SystemuserputRelationshipsInner) SetValue(v string)

SetValue gets a reference to the given string and assigns it to the Value field.

func (SystemuserputRelationshipsInner) ToMap

func (o SystemuserputRelationshipsInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputRelationshipsInner) UnmarshalJSON

func (o *SystemuserputRelationshipsInner) UnmarshalJSON(bytes []byte) (err error)

type Systemuserputpost

type Systemuserputpost struct {
	AccountLocked                 *bool                             `json:"account_locked,omitempty"`
	Activated                     *bool                             `json:"activated,omitempty"`
	Addresses                     []SystemuserputpostAddressesInner `json:"addresses,omitempty"`
	AllowPublicKey                *bool                             `json:"allow_public_key,omitempty"`
	AlternateEmail                *string                           `json:"alternateEmail,omitempty"`
	Attributes                    []SystemuserputAttributesInner    `json:"attributes,omitempty"`
	Company                       *string                           `json:"company,omitempty"`
	CostCenter                    *string                           `json:"costCenter,omitempty"`
	Department                    *string                           `json:"department,omitempty"`
	Description                   *string                           `json:"description,omitempty"`
	DisableDeviceMaxLoginAttempts *bool                             `json:"disableDeviceMaxLoginAttempts,omitempty"`
	Displayname                   *string                           `json:"displayname,omitempty"`
	Email                         string                            `json:"email"`
	// Must be unique per user.
	EmployeeIdentifier             *string    `json:"employeeIdentifier,omitempty"`
	EmployeeType                   *string    `json:"employeeType,omitempty"`
	EnableManagedUid               *bool      `json:"enable_managed_uid,omitempty"`
	EnableUserPortalMultifactor    *bool      `json:"enable_user_portal_multifactor,omitempty"`
	ExternalDn                     *string    `json:"external_dn,omitempty"`
	ExternalPasswordExpirationDate *time.Time `json:"external_password_expiration_date,omitempty"`
	ExternalSourceType             *string    `json:"external_source_type,omitempty"`
	ExternallyManaged              *bool      `json:"externally_managed,omitempty"`
	Firstname                      *string    `json:"firstname,omitempty"`
	JobTitle                       *string    `json:"jobTitle,omitempty"`
	Lastname                       *string    `json:"lastname,omitempty"`
	LdapBindingUser                *bool      `json:"ldap_binding_user,omitempty"`
	Location                       *string    `json:"location,omitempty"`
	ManagedAppleId                 *string    `json:"managedAppleId,omitempty"`
	// Relation with another systemuser to identify the last as a manager.
	Manager              *string                              `json:"manager,omitempty"`
	Mfa                  *Mfa                                 `json:"mfa,omitempty"`
	Middlename           *string                              `json:"middlename,omitempty"`
	Password             *string                              `json:"password,omitempty"`
	PasswordNeverExpires *bool                                `json:"password_never_expires,omitempty"`
	PasswordlessSudo     *bool                                `json:"passwordless_sudo,omitempty"`
	PhoneNumbers         []SystemuserputpostPhoneNumbersInner `json:"phoneNumbers,omitempty"`
	PublicKey            *string                              `json:"public_key,omitempty"`
	RecoveryEmail        *SystemuserputpostRecoveryEmail      `json:"recoveryEmail,omitempty"`
	Relationships        []SystemuserputRelationshipsInner    `json:"relationships,omitempty"`
	SambaServiceUser     *bool                                `json:"samba_service_user,omitempty"`
	State                *string                              `json:"state,omitempty"`
	Sudo                 *bool                                `json:"sudo,omitempty"`
	Suspended            *bool                                `json:"suspended,omitempty"`
	Tags                 []string                             `json:"tags,omitempty"`
	UnixGuid             *int32                               `json:"unix_guid,omitempty"`
	UnixUid              *int32                               `json:"unix_uid,omitempty"`
	Username             string                               `json:"username"`
	AdditionalProperties map[string]interface{}
}

Systemuserputpost struct for Systemuserputpost

func NewSystemuserputpost

func NewSystemuserputpost(email string, username string) *Systemuserputpost

NewSystemuserputpost instantiates a new Systemuserputpost object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputpostWithDefaults

func NewSystemuserputpostWithDefaults() *Systemuserputpost

NewSystemuserputpostWithDefaults instantiates a new Systemuserputpost object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemuserputpost) GetAccountLocked

func (o *Systemuserputpost) GetAccountLocked() bool

GetAccountLocked returns the AccountLocked field value if set, zero value otherwise.

func (*Systemuserputpost) GetAccountLockedOk

func (o *Systemuserputpost) GetAccountLockedOk() (*bool, bool)

GetAccountLockedOk returns a tuple with the AccountLocked field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetActivated

func (o *Systemuserputpost) GetActivated() bool

GetActivated returns the Activated field value if set, zero value otherwise.

func (*Systemuserputpost) GetActivatedOk

func (o *Systemuserputpost) GetActivatedOk() (*bool, bool)

GetActivatedOk returns a tuple with the Activated field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetAddresses

GetAddresses returns the Addresses field value if set, zero value otherwise.

func (*Systemuserputpost) GetAddressesOk

func (o *Systemuserputpost) GetAddressesOk() ([]SystemuserputpostAddressesInner, bool)

GetAddressesOk returns a tuple with the Addresses field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetAllowPublicKey

func (o *Systemuserputpost) GetAllowPublicKey() bool

GetAllowPublicKey returns the AllowPublicKey field value if set, zero value otherwise.

func (*Systemuserputpost) GetAllowPublicKeyOk

func (o *Systemuserputpost) GetAllowPublicKeyOk() (*bool, bool)

GetAllowPublicKeyOk returns a tuple with the AllowPublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetAlternateEmail

func (o *Systemuserputpost) GetAlternateEmail() string

GetAlternateEmail returns the AlternateEmail field value if set, zero value otherwise.

func (*Systemuserputpost) GetAlternateEmailOk

func (o *Systemuserputpost) GetAlternateEmailOk() (*string, bool)

GetAlternateEmailOk returns a tuple with the AlternateEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetAttributes

func (o *Systemuserputpost) GetAttributes() []SystemuserputAttributesInner

GetAttributes returns the Attributes field value if set, zero value otherwise.

func (*Systemuserputpost) GetAttributesOk

func (o *Systemuserputpost) GetAttributesOk() ([]SystemuserputAttributesInner, bool)

GetAttributesOk returns a tuple with the Attributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetCompany

func (o *Systemuserputpost) GetCompany() string

GetCompany returns the Company field value if set, zero value otherwise.

func (*Systemuserputpost) GetCompanyOk

func (o *Systemuserputpost) GetCompanyOk() (*string, bool)

GetCompanyOk returns a tuple with the Company field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetCostCenter

func (o *Systemuserputpost) GetCostCenter() string

GetCostCenter returns the CostCenter field value if set, zero value otherwise.

func (*Systemuserputpost) GetCostCenterOk

func (o *Systemuserputpost) GetCostCenterOk() (*string, bool)

GetCostCenterOk returns a tuple with the CostCenter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetDepartment

func (o *Systemuserputpost) GetDepartment() string

GetDepartment returns the Department field value if set, zero value otherwise.

func (*Systemuserputpost) GetDepartmentOk

func (o *Systemuserputpost) GetDepartmentOk() (*string, bool)

GetDepartmentOk returns a tuple with the Department field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetDescription

func (o *Systemuserputpost) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*Systemuserputpost) GetDescriptionOk

func (o *Systemuserputpost) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetDisableDeviceMaxLoginAttempts

func (o *Systemuserputpost) GetDisableDeviceMaxLoginAttempts() bool

GetDisableDeviceMaxLoginAttempts returns the DisableDeviceMaxLoginAttempts field value if set, zero value otherwise.

func (*Systemuserputpost) GetDisableDeviceMaxLoginAttemptsOk

func (o *Systemuserputpost) GetDisableDeviceMaxLoginAttemptsOk() (*bool, bool)

GetDisableDeviceMaxLoginAttemptsOk returns a tuple with the DisableDeviceMaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetDisplayname

func (o *Systemuserputpost) GetDisplayname() string

GetDisplayname returns the Displayname field value if set, zero value otherwise.

func (*Systemuserputpost) GetDisplaynameOk

func (o *Systemuserputpost) GetDisplaynameOk() (*string, bool)

GetDisplaynameOk returns a tuple with the Displayname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetEmail

func (o *Systemuserputpost) GetEmail() string

GetEmail returns the Email field value

func (*Systemuserputpost) GetEmailOk

func (o *Systemuserputpost) GetEmailOk() (*string, bool)

GetEmailOk returns a tuple with the Email field value and a boolean to check if the value has been set.

func (*Systemuserputpost) GetEmployeeIdentifier

func (o *Systemuserputpost) GetEmployeeIdentifier() string

GetEmployeeIdentifier returns the EmployeeIdentifier field value if set, zero value otherwise.

func (*Systemuserputpost) GetEmployeeIdentifierOk

func (o *Systemuserputpost) GetEmployeeIdentifierOk() (*string, bool)

GetEmployeeIdentifierOk returns a tuple with the EmployeeIdentifier field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetEmployeeType

func (o *Systemuserputpost) GetEmployeeType() string

GetEmployeeType returns the EmployeeType field value if set, zero value otherwise.

func (*Systemuserputpost) GetEmployeeTypeOk

func (o *Systemuserputpost) GetEmployeeTypeOk() (*string, bool)

GetEmployeeTypeOk returns a tuple with the EmployeeType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetEnableManagedUid

func (o *Systemuserputpost) GetEnableManagedUid() bool

GetEnableManagedUid returns the EnableManagedUid field value if set, zero value otherwise.

func (*Systemuserputpost) GetEnableManagedUidOk

func (o *Systemuserputpost) GetEnableManagedUidOk() (*bool, bool)

GetEnableManagedUidOk returns a tuple with the EnableManagedUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetEnableUserPortalMultifactor

func (o *Systemuserputpost) GetEnableUserPortalMultifactor() bool

GetEnableUserPortalMultifactor returns the EnableUserPortalMultifactor field value if set, zero value otherwise.

func (*Systemuserputpost) GetEnableUserPortalMultifactorOk

func (o *Systemuserputpost) GetEnableUserPortalMultifactorOk() (*bool, bool)

GetEnableUserPortalMultifactorOk returns a tuple with the EnableUserPortalMultifactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetExternalDn

func (o *Systemuserputpost) GetExternalDn() string

GetExternalDn returns the ExternalDn field value if set, zero value otherwise.

func (*Systemuserputpost) GetExternalDnOk

func (o *Systemuserputpost) GetExternalDnOk() (*string, bool)

GetExternalDnOk returns a tuple with the ExternalDn field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetExternalPasswordExpirationDate

func (o *Systemuserputpost) GetExternalPasswordExpirationDate() time.Time

GetExternalPasswordExpirationDate returns the ExternalPasswordExpirationDate field value if set, zero value otherwise.

func (*Systemuserputpost) GetExternalPasswordExpirationDateOk

func (o *Systemuserputpost) GetExternalPasswordExpirationDateOk() (*time.Time, bool)

GetExternalPasswordExpirationDateOk returns a tuple with the ExternalPasswordExpirationDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetExternalSourceType

func (o *Systemuserputpost) GetExternalSourceType() string

GetExternalSourceType returns the ExternalSourceType field value if set, zero value otherwise.

func (*Systemuserputpost) GetExternalSourceTypeOk

func (o *Systemuserputpost) GetExternalSourceTypeOk() (*string, bool)

GetExternalSourceTypeOk returns a tuple with the ExternalSourceType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetExternallyManaged

func (o *Systemuserputpost) GetExternallyManaged() bool

GetExternallyManaged returns the ExternallyManaged field value if set, zero value otherwise.

func (*Systemuserputpost) GetExternallyManagedOk

func (o *Systemuserputpost) GetExternallyManagedOk() (*bool, bool)

GetExternallyManagedOk returns a tuple with the ExternallyManaged field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetFirstname

func (o *Systemuserputpost) GetFirstname() string

GetFirstname returns the Firstname field value if set, zero value otherwise.

func (*Systemuserputpost) GetFirstnameOk

func (o *Systemuserputpost) GetFirstnameOk() (*string, bool)

GetFirstnameOk returns a tuple with the Firstname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetJobTitle

func (o *Systemuserputpost) GetJobTitle() string

GetJobTitle returns the JobTitle field value if set, zero value otherwise.

func (*Systemuserputpost) GetJobTitleOk

func (o *Systemuserputpost) GetJobTitleOk() (*string, bool)

GetJobTitleOk returns a tuple with the JobTitle field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetLastname

func (o *Systemuserputpost) GetLastname() string

GetLastname returns the Lastname field value if set, zero value otherwise.

func (*Systemuserputpost) GetLastnameOk

func (o *Systemuserputpost) GetLastnameOk() (*string, bool)

GetLastnameOk returns a tuple with the Lastname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetLdapBindingUser

func (o *Systemuserputpost) GetLdapBindingUser() bool

GetLdapBindingUser returns the LdapBindingUser field value if set, zero value otherwise.

func (*Systemuserputpost) GetLdapBindingUserOk

func (o *Systemuserputpost) GetLdapBindingUserOk() (*bool, bool)

GetLdapBindingUserOk returns a tuple with the LdapBindingUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetLocation

func (o *Systemuserputpost) GetLocation() string

GetLocation returns the Location field value if set, zero value otherwise.

func (*Systemuserputpost) GetLocationOk

func (o *Systemuserputpost) GetLocationOk() (*string, bool)

GetLocationOk returns a tuple with the Location field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetManagedAppleId

func (o *Systemuserputpost) GetManagedAppleId() string

GetManagedAppleId returns the ManagedAppleId field value if set, zero value otherwise.

func (*Systemuserputpost) GetManagedAppleIdOk

func (o *Systemuserputpost) GetManagedAppleIdOk() (*string, bool)

GetManagedAppleIdOk returns a tuple with the ManagedAppleId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetManager

func (o *Systemuserputpost) GetManager() string

GetManager returns the Manager field value if set, zero value otherwise.

func (*Systemuserputpost) GetManagerOk

func (o *Systemuserputpost) GetManagerOk() (*string, bool)

GetManagerOk returns a tuple with the Manager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetMfa

func (o *Systemuserputpost) GetMfa() Mfa

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Systemuserputpost) GetMfaOk

func (o *Systemuserputpost) GetMfaOk() (*Mfa, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetMiddlename

func (o *Systemuserputpost) GetMiddlename() string

GetMiddlename returns the Middlename field value if set, zero value otherwise.

func (*Systemuserputpost) GetMiddlenameOk

func (o *Systemuserputpost) GetMiddlenameOk() (*string, bool)

GetMiddlenameOk returns a tuple with the Middlename field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetPassword

func (o *Systemuserputpost) GetPassword() string

GetPassword returns the Password field value if set, zero value otherwise.

func (*Systemuserputpost) GetPasswordNeverExpires

func (o *Systemuserputpost) GetPasswordNeverExpires() bool

GetPasswordNeverExpires returns the PasswordNeverExpires field value if set, zero value otherwise.

func (*Systemuserputpost) GetPasswordNeverExpiresOk

func (o *Systemuserputpost) GetPasswordNeverExpiresOk() (*bool, bool)

GetPasswordNeverExpiresOk returns a tuple with the PasswordNeverExpires field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetPasswordOk

func (o *Systemuserputpost) GetPasswordOk() (*string, bool)

GetPasswordOk returns a tuple with the Password field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetPasswordlessSudo

func (o *Systemuserputpost) GetPasswordlessSudo() bool

GetPasswordlessSudo returns the PasswordlessSudo field value if set, zero value otherwise.

func (*Systemuserputpost) GetPasswordlessSudoOk

func (o *Systemuserputpost) GetPasswordlessSudoOk() (*bool, bool)

GetPasswordlessSudoOk returns a tuple with the PasswordlessSudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetPhoneNumbers

GetPhoneNumbers returns the PhoneNumbers field value if set, zero value otherwise.

func (*Systemuserputpost) GetPhoneNumbersOk

func (o *Systemuserputpost) GetPhoneNumbersOk() ([]SystemuserputpostPhoneNumbersInner, bool)

GetPhoneNumbersOk returns a tuple with the PhoneNumbers field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetPublicKey

func (o *Systemuserputpost) GetPublicKey() string

GetPublicKey returns the PublicKey field value if set, zero value otherwise.

func (*Systemuserputpost) GetPublicKeyOk

func (o *Systemuserputpost) GetPublicKeyOk() (*string, bool)

GetPublicKeyOk returns a tuple with the PublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetRecoveryEmail

func (o *Systemuserputpost) GetRecoveryEmail() SystemuserputpostRecoveryEmail

GetRecoveryEmail returns the RecoveryEmail field value if set, zero value otherwise.

func (*Systemuserputpost) GetRecoveryEmailOk

func (o *Systemuserputpost) GetRecoveryEmailOk() (*SystemuserputpostRecoveryEmail, bool)

GetRecoveryEmailOk returns a tuple with the RecoveryEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetRelationships

func (o *Systemuserputpost) GetRelationships() []SystemuserputRelationshipsInner

GetRelationships returns the Relationships field value if set, zero value otherwise.

func (*Systemuserputpost) GetRelationshipsOk

func (o *Systemuserputpost) GetRelationshipsOk() ([]SystemuserputRelationshipsInner, bool)

GetRelationshipsOk returns a tuple with the Relationships field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetSambaServiceUser

func (o *Systemuserputpost) GetSambaServiceUser() bool

GetSambaServiceUser returns the SambaServiceUser field value if set, zero value otherwise.

func (*Systemuserputpost) GetSambaServiceUserOk

func (o *Systemuserputpost) GetSambaServiceUserOk() (*bool, bool)

GetSambaServiceUserOk returns a tuple with the SambaServiceUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetState

func (o *Systemuserputpost) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*Systemuserputpost) GetStateOk

func (o *Systemuserputpost) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetSudo

func (o *Systemuserputpost) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*Systemuserputpost) GetSudoOk

func (o *Systemuserputpost) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetSuspended

func (o *Systemuserputpost) GetSuspended() bool

GetSuspended returns the Suspended field value if set, zero value otherwise.

func (*Systemuserputpost) GetSuspendedOk

func (o *Systemuserputpost) GetSuspendedOk() (*bool, bool)

GetSuspendedOk returns a tuple with the Suspended field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetTags

func (o *Systemuserputpost) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*Systemuserputpost) GetTagsOk

func (o *Systemuserputpost) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetUnixGuid

func (o *Systemuserputpost) GetUnixGuid() int32

GetUnixGuid returns the UnixGuid field value if set, zero value otherwise.

func (*Systemuserputpost) GetUnixGuidOk

func (o *Systemuserputpost) GetUnixGuidOk() (*int32, bool)

GetUnixGuidOk returns a tuple with the UnixGuid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetUnixUid

func (o *Systemuserputpost) GetUnixUid() int32

GetUnixUid returns the UnixUid field value if set, zero value otherwise.

func (*Systemuserputpost) GetUnixUidOk

func (o *Systemuserputpost) GetUnixUidOk() (*int32, bool)

GetUnixUidOk returns a tuple with the UnixUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserputpost) GetUsername

func (o *Systemuserputpost) GetUsername() string

GetUsername returns the Username field value

func (*Systemuserputpost) GetUsernameOk

func (o *Systemuserputpost) GetUsernameOk() (*string, bool)

GetUsernameOk returns a tuple with the Username field value and a boolean to check if the value has been set.

func (*Systemuserputpost) HasAccountLocked

func (o *Systemuserputpost) HasAccountLocked() bool

HasAccountLocked returns a boolean if a field has been set.

func (*Systemuserputpost) HasActivated

func (o *Systemuserputpost) HasActivated() bool

HasActivated returns a boolean if a field has been set.

func (*Systemuserputpost) HasAddresses

func (o *Systemuserputpost) HasAddresses() bool

HasAddresses returns a boolean if a field has been set.

func (*Systemuserputpost) HasAllowPublicKey

func (o *Systemuserputpost) HasAllowPublicKey() bool

HasAllowPublicKey returns a boolean if a field has been set.

func (*Systemuserputpost) HasAlternateEmail

func (o *Systemuserputpost) HasAlternateEmail() bool

HasAlternateEmail returns a boolean if a field has been set.

func (*Systemuserputpost) HasAttributes

func (o *Systemuserputpost) HasAttributes() bool

HasAttributes returns a boolean if a field has been set.

func (*Systemuserputpost) HasCompany

func (o *Systemuserputpost) HasCompany() bool

HasCompany returns a boolean if a field has been set.

func (*Systemuserputpost) HasCostCenter

func (o *Systemuserputpost) HasCostCenter() bool

HasCostCenter returns a boolean if a field has been set.

func (*Systemuserputpost) HasDepartment

func (o *Systemuserputpost) HasDepartment() bool

HasDepartment returns a boolean if a field has been set.

func (*Systemuserputpost) HasDescription

func (o *Systemuserputpost) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*Systemuserputpost) HasDisableDeviceMaxLoginAttempts

func (o *Systemuserputpost) HasDisableDeviceMaxLoginAttempts() bool

HasDisableDeviceMaxLoginAttempts returns a boolean if a field has been set.

func (*Systemuserputpost) HasDisplayname

func (o *Systemuserputpost) HasDisplayname() bool

HasDisplayname returns a boolean if a field has been set.

func (*Systemuserputpost) HasEmployeeIdentifier

func (o *Systemuserputpost) HasEmployeeIdentifier() bool

HasEmployeeIdentifier returns a boolean if a field has been set.

func (*Systemuserputpost) HasEmployeeType

func (o *Systemuserputpost) HasEmployeeType() bool

HasEmployeeType returns a boolean if a field has been set.

func (*Systemuserputpost) HasEnableManagedUid

func (o *Systemuserputpost) HasEnableManagedUid() bool

HasEnableManagedUid returns a boolean if a field has been set.

func (*Systemuserputpost) HasEnableUserPortalMultifactor

func (o *Systemuserputpost) HasEnableUserPortalMultifactor() bool

HasEnableUserPortalMultifactor returns a boolean if a field has been set.

func (*Systemuserputpost) HasExternalDn

func (o *Systemuserputpost) HasExternalDn() bool

HasExternalDn returns a boolean if a field has been set.

func (*Systemuserputpost) HasExternalPasswordExpirationDate

func (o *Systemuserputpost) HasExternalPasswordExpirationDate() bool

HasExternalPasswordExpirationDate returns a boolean if a field has been set.

func (*Systemuserputpost) HasExternalSourceType

func (o *Systemuserputpost) HasExternalSourceType() bool

HasExternalSourceType returns a boolean if a field has been set.

func (*Systemuserputpost) HasExternallyManaged

func (o *Systemuserputpost) HasExternallyManaged() bool

HasExternallyManaged returns a boolean if a field has been set.

func (*Systemuserputpost) HasFirstname

func (o *Systemuserputpost) HasFirstname() bool

HasFirstname returns a boolean if a field has been set.

func (*Systemuserputpost) HasJobTitle

func (o *Systemuserputpost) HasJobTitle() bool

HasJobTitle returns a boolean if a field has been set.

func (*Systemuserputpost) HasLastname

func (o *Systemuserputpost) HasLastname() bool

HasLastname returns a boolean if a field has been set.

func (*Systemuserputpost) HasLdapBindingUser

func (o *Systemuserputpost) HasLdapBindingUser() bool

HasLdapBindingUser returns a boolean if a field has been set.

func (*Systemuserputpost) HasLocation

func (o *Systemuserputpost) HasLocation() bool

HasLocation returns a boolean if a field has been set.

func (*Systemuserputpost) HasManagedAppleId

func (o *Systemuserputpost) HasManagedAppleId() bool

HasManagedAppleId returns a boolean if a field has been set.

func (*Systemuserputpost) HasManager

func (o *Systemuserputpost) HasManager() bool

HasManager returns a boolean if a field has been set.

func (*Systemuserputpost) HasMfa

func (o *Systemuserputpost) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Systemuserputpost) HasMiddlename

func (o *Systemuserputpost) HasMiddlename() bool

HasMiddlename returns a boolean if a field has been set.

func (*Systemuserputpost) HasPassword

func (o *Systemuserputpost) HasPassword() bool

HasPassword returns a boolean if a field has been set.

func (*Systemuserputpost) HasPasswordNeverExpires

func (o *Systemuserputpost) HasPasswordNeverExpires() bool

HasPasswordNeverExpires returns a boolean if a field has been set.

func (*Systemuserputpost) HasPasswordlessSudo

func (o *Systemuserputpost) HasPasswordlessSudo() bool

HasPasswordlessSudo returns a boolean if a field has been set.

func (*Systemuserputpost) HasPhoneNumbers

func (o *Systemuserputpost) HasPhoneNumbers() bool

HasPhoneNumbers returns a boolean if a field has been set.

func (*Systemuserputpost) HasPublicKey

func (o *Systemuserputpost) HasPublicKey() bool

HasPublicKey returns a boolean if a field has been set.

func (*Systemuserputpost) HasRecoveryEmail

func (o *Systemuserputpost) HasRecoveryEmail() bool

HasRecoveryEmail returns a boolean if a field has been set.

func (*Systemuserputpost) HasRelationships

func (o *Systemuserputpost) HasRelationships() bool

HasRelationships returns a boolean if a field has been set.

func (*Systemuserputpost) HasSambaServiceUser

func (o *Systemuserputpost) HasSambaServiceUser() bool

HasSambaServiceUser returns a boolean if a field has been set.

func (*Systemuserputpost) HasState

func (o *Systemuserputpost) HasState() bool

HasState returns a boolean if a field has been set.

func (*Systemuserputpost) HasSudo

func (o *Systemuserputpost) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*Systemuserputpost) HasSuspended

func (o *Systemuserputpost) HasSuspended() bool

HasSuspended returns a boolean if a field has been set.

func (*Systemuserputpost) HasTags

func (o *Systemuserputpost) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*Systemuserputpost) HasUnixGuid

func (o *Systemuserputpost) HasUnixGuid() bool

HasUnixGuid returns a boolean if a field has been set.

func (*Systemuserputpost) HasUnixUid

func (o *Systemuserputpost) HasUnixUid() bool

HasUnixUid returns a boolean if a field has been set.

func (Systemuserputpost) MarshalJSON

func (o Systemuserputpost) MarshalJSON() ([]byte, error)

func (*Systemuserputpost) SetAccountLocked

func (o *Systemuserputpost) SetAccountLocked(v bool)

SetAccountLocked gets a reference to the given bool and assigns it to the AccountLocked field.

func (*Systemuserputpost) SetActivated

func (o *Systemuserputpost) SetActivated(v bool)

SetActivated gets a reference to the given bool and assigns it to the Activated field.

func (*Systemuserputpost) SetAddresses

SetAddresses gets a reference to the given []SystemuserputpostAddressesInner and assigns it to the Addresses field.

func (*Systemuserputpost) SetAllowPublicKey

func (o *Systemuserputpost) SetAllowPublicKey(v bool)

SetAllowPublicKey gets a reference to the given bool and assigns it to the AllowPublicKey field.

func (*Systemuserputpost) SetAlternateEmail

func (o *Systemuserputpost) SetAlternateEmail(v string)

SetAlternateEmail gets a reference to the given string and assigns it to the AlternateEmail field.

func (*Systemuserputpost) SetAttributes

func (o *Systemuserputpost) SetAttributes(v []SystemuserputAttributesInner)

SetAttributes gets a reference to the given []SystemuserputAttributesInner and assigns it to the Attributes field.

func (*Systemuserputpost) SetCompany

func (o *Systemuserputpost) SetCompany(v string)

SetCompany gets a reference to the given string and assigns it to the Company field.

func (*Systemuserputpost) SetCostCenter

func (o *Systemuserputpost) SetCostCenter(v string)

SetCostCenter gets a reference to the given string and assigns it to the CostCenter field.

func (*Systemuserputpost) SetDepartment

func (o *Systemuserputpost) SetDepartment(v string)

SetDepartment gets a reference to the given string and assigns it to the Department field.

func (*Systemuserputpost) SetDescription

func (o *Systemuserputpost) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*Systemuserputpost) SetDisableDeviceMaxLoginAttempts

func (o *Systemuserputpost) SetDisableDeviceMaxLoginAttempts(v bool)

SetDisableDeviceMaxLoginAttempts gets a reference to the given bool and assigns it to the DisableDeviceMaxLoginAttempts field.

func (*Systemuserputpost) SetDisplayname

func (o *Systemuserputpost) SetDisplayname(v string)

SetDisplayname gets a reference to the given string and assigns it to the Displayname field.

func (*Systemuserputpost) SetEmail

func (o *Systemuserputpost) SetEmail(v string)

SetEmail sets field value

func (*Systemuserputpost) SetEmployeeIdentifier

func (o *Systemuserputpost) SetEmployeeIdentifier(v string)

SetEmployeeIdentifier gets a reference to the given string and assigns it to the EmployeeIdentifier field.

func (*Systemuserputpost) SetEmployeeType

func (o *Systemuserputpost) SetEmployeeType(v string)

SetEmployeeType gets a reference to the given string and assigns it to the EmployeeType field.

func (*Systemuserputpost) SetEnableManagedUid

func (o *Systemuserputpost) SetEnableManagedUid(v bool)

SetEnableManagedUid gets a reference to the given bool and assigns it to the EnableManagedUid field.

func (*Systemuserputpost) SetEnableUserPortalMultifactor

func (o *Systemuserputpost) SetEnableUserPortalMultifactor(v bool)

SetEnableUserPortalMultifactor gets a reference to the given bool and assigns it to the EnableUserPortalMultifactor field.

func (*Systemuserputpost) SetExternalDn

func (o *Systemuserputpost) SetExternalDn(v string)

SetExternalDn gets a reference to the given string and assigns it to the ExternalDn field.

func (*Systemuserputpost) SetExternalPasswordExpirationDate

func (o *Systemuserputpost) SetExternalPasswordExpirationDate(v time.Time)

SetExternalPasswordExpirationDate gets a reference to the given time.Time and assigns it to the ExternalPasswordExpirationDate field.

func (*Systemuserputpost) SetExternalSourceType

func (o *Systemuserputpost) SetExternalSourceType(v string)

SetExternalSourceType gets a reference to the given string and assigns it to the ExternalSourceType field.

func (*Systemuserputpost) SetExternallyManaged

func (o *Systemuserputpost) SetExternallyManaged(v bool)

SetExternallyManaged gets a reference to the given bool and assigns it to the ExternallyManaged field.

func (*Systemuserputpost) SetFirstname

func (o *Systemuserputpost) SetFirstname(v string)

SetFirstname gets a reference to the given string and assigns it to the Firstname field.

func (*Systemuserputpost) SetJobTitle

func (o *Systemuserputpost) SetJobTitle(v string)

SetJobTitle gets a reference to the given string and assigns it to the JobTitle field.

func (*Systemuserputpost) SetLastname

func (o *Systemuserputpost) SetLastname(v string)

SetLastname gets a reference to the given string and assigns it to the Lastname field.

func (*Systemuserputpost) SetLdapBindingUser

func (o *Systemuserputpost) SetLdapBindingUser(v bool)

SetLdapBindingUser gets a reference to the given bool and assigns it to the LdapBindingUser field.

func (*Systemuserputpost) SetLocation

func (o *Systemuserputpost) SetLocation(v string)

SetLocation gets a reference to the given string and assigns it to the Location field.

func (*Systemuserputpost) SetManagedAppleId

func (o *Systemuserputpost) SetManagedAppleId(v string)

SetManagedAppleId gets a reference to the given string and assigns it to the ManagedAppleId field.

func (*Systemuserputpost) SetManager

func (o *Systemuserputpost) SetManager(v string)

SetManager gets a reference to the given string and assigns it to the Manager field.

func (*Systemuserputpost) SetMfa

func (o *Systemuserputpost) SetMfa(v Mfa)

SetMfa gets a reference to the given Mfa and assigns it to the Mfa field.

func (*Systemuserputpost) SetMiddlename

func (o *Systemuserputpost) SetMiddlename(v string)

SetMiddlename gets a reference to the given string and assigns it to the Middlename field.

func (*Systemuserputpost) SetPassword

func (o *Systemuserputpost) SetPassword(v string)

SetPassword gets a reference to the given string and assigns it to the Password field.

func (*Systemuserputpost) SetPasswordNeverExpires

func (o *Systemuserputpost) SetPasswordNeverExpires(v bool)

SetPasswordNeverExpires gets a reference to the given bool and assigns it to the PasswordNeverExpires field.

func (*Systemuserputpost) SetPasswordlessSudo

func (o *Systemuserputpost) SetPasswordlessSudo(v bool)

SetPasswordlessSudo gets a reference to the given bool and assigns it to the PasswordlessSudo field.

func (*Systemuserputpost) SetPhoneNumbers

func (o *Systemuserputpost) SetPhoneNumbers(v []SystemuserputpostPhoneNumbersInner)

SetPhoneNumbers gets a reference to the given []SystemuserputpostPhoneNumbersInner and assigns it to the PhoneNumbers field.

func (*Systemuserputpost) SetPublicKey

func (o *Systemuserputpost) SetPublicKey(v string)

SetPublicKey gets a reference to the given string and assigns it to the PublicKey field.

func (*Systemuserputpost) SetRecoveryEmail

func (o *Systemuserputpost) SetRecoveryEmail(v SystemuserputpostRecoveryEmail)

SetRecoveryEmail gets a reference to the given SystemuserputpostRecoveryEmail and assigns it to the RecoveryEmail field.

func (*Systemuserputpost) SetRelationships

func (o *Systemuserputpost) SetRelationships(v []SystemuserputRelationshipsInner)

SetRelationships gets a reference to the given []SystemuserputRelationshipsInner and assigns it to the Relationships field.

func (*Systemuserputpost) SetSambaServiceUser

func (o *Systemuserputpost) SetSambaServiceUser(v bool)

SetSambaServiceUser gets a reference to the given bool and assigns it to the SambaServiceUser field.

func (*Systemuserputpost) SetState

func (o *Systemuserputpost) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (*Systemuserputpost) SetSudo

func (o *Systemuserputpost) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*Systemuserputpost) SetSuspended

func (o *Systemuserputpost) SetSuspended(v bool)

SetSuspended gets a reference to the given bool and assigns it to the Suspended field.

func (*Systemuserputpost) SetTags

func (o *Systemuserputpost) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*Systemuserputpost) SetUnixGuid

func (o *Systemuserputpost) SetUnixGuid(v int32)

SetUnixGuid gets a reference to the given int32 and assigns it to the UnixGuid field.

func (*Systemuserputpost) SetUnixUid

func (o *Systemuserputpost) SetUnixUid(v int32)

SetUnixUid gets a reference to the given int32 and assigns it to the UnixUid field.

func (*Systemuserputpost) SetUsername

func (o *Systemuserputpost) SetUsername(v string)

SetUsername sets field value

func (Systemuserputpost) ToMap

func (o Systemuserputpost) ToMap() (map[string]interface{}, error)

func (*Systemuserputpost) UnmarshalJSON

func (o *Systemuserputpost) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputpostAddressesInner

type SystemuserputpostAddressesInner struct {
	Country              *string `json:"country,omitempty"`
	ExtendedAddress      *string `json:"extendedAddress,omitempty"`
	Locality             *string `json:"locality,omitempty"`
	PoBox                *string `json:"poBox,omitempty"`
	PostalCode           *string `json:"postalCode,omitempty"`
	Region               *string `json:"region,omitempty"`
	StreetAddress        *string `json:"streetAddress,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputpostAddressesInner struct for SystemuserputpostAddressesInner

func NewSystemuserputpostAddressesInner

func NewSystemuserputpostAddressesInner() *SystemuserputpostAddressesInner

NewSystemuserputpostAddressesInner instantiates a new SystemuserputpostAddressesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputpostAddressesInnerWithDefaults

func NewSystemuserputpostAddressesInnerWithDefaults() *SystemuserputpostAddressesInner

NewSystemuserputpostAddressesInnerWithDefaults instantiates a new SystemuserputpostAddressesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputpostAddressesInner) GetCountry

func (o *SystemuserputpostAddressesInner) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetCountryOk

func (o *SystemuserputpostAddressesInner) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetExtendedAddress

func (o *SystemuserputpostAddressesInner) GetExtendedAddress() string

GetExtendedAddress returns the ExtendedAddress field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetExtendedAddressOk

func (o *SystemuserputpostAddressesInner) GetExtendedAddressOk() (*string, bool)

GetExtendedAddressOk returns a tuple with the ExtendedAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetLocality

func (o *SystemuserputpostAddressesInner) GetLocality() string

GetLocality returns the Locality field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetLocalityOk

func (o *SystemuserputpostAddressesInner) GetLocalityOk() (*string, bool)

GetLocalityOk returns a tuple with the Locality field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetPoBox

GetPoBox returns the PoBox field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetPoBoxOk

func (o *SystemuserputpostAddressesInner) GetPoBoxOk() (*string, bool)

GetPoBoxOk returns a tuple with the PoBox field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetPostalCode

func (o *SystemuserputpostAddressesInner) GetPostalCode() string

GetPostalCode returns the PostalCode field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetPostalCodeOk

func (o *SystemuserputpostAddressesInner) GetPostalCodeOk() (*string, bool)

GetPostalCodeOk returns a tuple with the PostalCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetRegion

func (o *SystemuserputpostAddressesInner) GetRegion() string

GetRegion returns the Region field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetRegionOk

func (o *SystemuserputpostAddressesInner) GetRegionOk() (*string, bool)

GetRegionOk returns a tuple with the Region field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetStreetAddress

func (o *SystemuserputpostAddressesInner) GetStreetAddress() string

GetStreetAddress returns the StreetAddress field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetStreetAddressOk

func (o *SystemuserputpostAddressesInner) GetStreetAddressOk() (*string, bool)

GetStreetAddressOk returns a tuple with the StreetAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserputpostAddressesInner) GetTypeOk

func (o *SystemuserputpostAddressesInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostAddressesInner) HasCountry

func (o *SystemuserputpostAddressesInner) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasExtendedAddress

func (o *SystemuserputpostAddressesInner) HasExtendedAddress() bool

HasExtendedAddress returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasLocality

func (o *SystemuserputpostAddressesInner) HasLocality() bool

HasLocality returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasPoBox

func (o *SystemuserputpostAddressesInner) HasPoBox() bool

HasPoBox returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasPostalCode

func (o *SystemuserputpostAddressesInner) HasPostalCode() bool

HasPostalCode returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasRegion

func (o *SystemuserputpostAddressesInner) HasRegion() bool

HasRegion returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasStreetAddress

func (o *SystemuserputpostAddressesInner) HasStreetAddress() bool

HasStreetAddress returns a boolean if a field has been set.

func (*SystemuserputpostAddressesInner) HasType

HasType returns a boolean if a field has been set.

func (SystemuserputpostAddressesInner) MarshalJSON

func (o SystemuserputpostAddressesInner) MarshalJSON() ([]byte, error)

func (*SystemuserputpostAddressesInner) SetCountry

func (o *SystemuserputpostAddressesInner) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*SystemuserputpostAddressesInner) SetExtendedAddress

func (o *SystemuserputpostAddressesInner) SetExtendedAddress(v string)

SetExtendedAddress gets a reference to the given string and assigns it to the ExtendedAddress field.

func (*SystemuserputpostAddressesInner) SetLocality

func (o *SystemuserputpostAddressesInner) SetLocality(v string)

SetLocality gets a reference to the given string and assigns it to the Locality field.

func (*SystemuserputpostAddressesInner) SetPoBox

func (o *SystemuserputpostAddressesInner) SetPoBox(v string)

SetPoBox gets a reference to the given string and assigns it to the PoBox field.

func (*SystemuserputpostAddressesInner) SetPostalCode

func (o *SystemuserputpostAddressesInner) SetPostalCode(v string)

SetPostalCode gets a reference to the given string and assigns it to the PostalCode field.

func (*SystemuserputpostAddressesInner) SetRegion

func (o *SystemuserputpostAddressesInner) SetRegion(v string)

SetRegion gets a reference to the given string and assigns it to the Region field.

func (*SystemuserputpostAddressesInner) SetStreetAddress

func (o *SystemuserputpostAddressesInner) SetStreetAddress(v string)

SetStreetAddress gets a reference to the given string and assigns it to the StreetAddress field.

func (*SystemuserputpostAddressesInner) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserputpostAddressesInner) ToMap

func (o SystemuserputpostAddressesInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputpostAddressesInner) UnmarshalJSON

func (o *SystemuserputpostAddressesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputpostPhoneNumbersInner

type SystemuserputpostPhoneNumbersInner struct {
	Number               *string `json:"number,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputpostPhoneNumbersInner struct for SystemuserputpostPhoneNumbersInner

func NewSystemuserputpostPhoneNumbersInner

func NewSystemuserputpostPhoneNumbersInner() *SystemuserputpostPhoneNumbersInner

NewSystemuserputpostPhoneNumbersInner instantiates a new SystemuserputpostPhoneNumbersInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputpostPhoneNumbersInnerWithDefaults

func NewSystemuserputpostPhoneNumbersInnerWithDefaults() *SystemuserputpostPhoneNumbersInner

NewSystemuserputpostPhoneNumbersInnerWithDefaults instantiates a new SystemuserputpostPhoneNumbersInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputpostPhoneNumbersInner) GetNumber

GetNumber returns the Number field value if set, zero value otherwise.

func (*SystemuserputpostPhoneNumbersInner) GetNumberOk

func (o *SystemuserputpostPhoneNumbersInner) GetNumberOk() (*string, bool)

GetNumberOk returns a tuple with the Number field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostPhoneNumbersInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserputpostPhoneNumbersInner) GetTypeOk

func (o *SystemuserputpostPhoneNumbersInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostPhoneNumbersInner) HasNumber

HasNumber returns a boolean if a field has been set.

func (*SystemuserputpostPhoneNumbersInner) HasType

HasType returns a boolean if a field has been set.

func (SystemuserputpostPhoneNumbersInner) MarshalJSON

func (o SystemuserputpostPhoneNumbersInner) MarshalJSON() ([]byte, error)

func (*SystemuserputpostPhoneNumbersInner) SetNumber

SetNumber gets a reference to the given string and assigns it to the Number field.

func (*SystemuserputpostPhoneNumbersInner) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserputpostPhoneNumbersInner) ToMap

func (o SystemuserputpostPhoneNumbersInner) ToMap() (map[string]interface{}, error)

func (*SystemuserputpostPhoneNumbersInner) UnmarshalJSON

func (o *SystemuserputpostPhoneNumbersInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserputpostRecoveryEmail

type SystemuserputpostRecoveryEmail struct {
	Address              *string `json:"address,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserputpostRecoveryEmail struct for SystemuserputpostRecoveryEmail

func NewSystemuserputpostRecoveryEmail

func NewSystemuserputpostRecoveryEmail() *SystemuserputpostRecoveryEmail

NewSystemuserputpostRecoveryEmail instantiates a new SystemuserputpostRecoveryEmail object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserputpostRecoveryEmailWithDefaults

func NewSystemuserputpostRecoveryEmailWithDefaults() *SystemuserputpostRecoveryEmail

NewSystemuserputpostRecoveryEmailWithDefaults instantiates a new SystemuserputpostRecoveryEmail object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserputpostRecoveryEmail) GetAddress

func (o *SystemuserputpostRecoveryEmail) GetAddress() string

GetAddress returns the Address field value if set, zero value otherwise.

func (*SystemuserputpostRecoveryEmail) GetAddressOk

func (o *SystemuserputpostRecoveryEmail) GetAddressOk() (*string, bool)

GetAddressOk returns a tuple with the Address field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserputpostRecoveryEmail) HasAddress

func (o *SystemuserputpostRecoveryEmail) HasAddress() bool

HasAddress returns a boolean if a field has been set.

func (SystemuserputpostRecoveryEmail) MarshalJSON

func (o SystemuserputpostRecoveryEmail) MarshalJSON() ([]byte, error)

func (*SystemuserputpostRecoveryEmail) SetAddress

func (o *SystemuserputpostRecoveryEmail) SetAddress(v string)

SetAddress gets a reference to the given string and assigns it to the Address field.

func (SystemuserputpostRecoveryEmail) ToMap

func (o SystemuserputpostRecoveryEmail) ToMap() (map[string]interface{}, error)

func (*SystemuserputpostRecoveryEmail) UnmarshalJSON

func (o *SystemuserputpostRecoveryEmail) UnmarshalJSON(bytes []byte) (err error)

type Systemuserreturn

type Systemuserreturn struct {
	Id                            *string                          `json:"_id,omitempty"`
	AccountLocked                 *bool                            `json:"account_locked,omitempty"`
	AccountLockedDate             NullableString                   `json:"account_locked_date,omitempty"`
	Activated                     *bool                            `json:"activated,omitempty"`
	Addresses                     []SystemuserreturnAddressesInner `json:"addresses,omitempty"`
	AllowPublicKey                *bool                            `json:"allow_public_key,omitempty"`
	AlternateEmail                *string                          `json:"alternateEmail,omitempty"`
	Attributes                    []SystemuserputAttributesInner   `json:"attributes,omitempty"`
	BadLoginAttempts              *int32                           `json:"badLoginAttempts,omitempty"`
	Company                       *string                          `json:"company,omitempty"`
	CostCenter                    *string                          `json:"costCenter,omitempty"`
	Created                       *string                          `json:"created,omitempty"`
	CreationSource                *string                          `json:"creationSource,omitempty"`
	Department                    *string                          `json:"department,omitempty"`
	Description                   *string                          `json:"description,omitempty"`
	DisableDeviceMaxLoginAttempts *bool                            `json:"disableDeviceMaxLoginAttempts,omitempty"`
	Displayname                   *string                          `json:"displayname,omitempty"`
	Email                         *string                          `json:"email,omitempty"`
	// Must be unique per user.
	EmployeeIdentifier             *string `json:"employeeIdentifier,omitempty"`
	EmployeeType                   *string `json:"employeeType,omitempty"`
	EnableManagedUid               *bool   `json:"enable_managed_uid,omitempty"`
	EnableUserPortalMultifactor    *bool   `json:"enable_user_portal_multifactor,omitempty"`
	ExternalDn                     *string `json:"external_dn,omitempty"`
	ExternalPasswordExpirationDate *string `json:"external_password_expiration_date,omitempty"`
	ExternalSourceType             *string `json:"external_source_type,omitempty"`
	ExternallyManaged              *bool   `json:"externally_managed,omitempty"`
	Firstname                      *string `json:"firstname,omitempty"`
	JobTitle                       *string `json:"jobTitle,omitempty"`
	Lastname                       *string `json:"lastname,omitempty"`
	LdapBindingUser                *bool   `json:"ldap_binding_user,omitempty"`
	Location                       *string `json:"location,omitempty"`
	ManagedAppleId                 *string `json:"managedAppleId,omitempty"`
	// Relation with another systemuser to identify the last as a manager.
	Manager                *string                             `json:"manager,omitempty"`
	Mfa                    *Mfa                                `json:"mfa,omitempty"`
	MfaEnrollment          *MfaEnrollment                      `json:"mfaEnrollment,omitempty"`
	Middlename             *string                             `json:"middlename,omitempty"`
	Organization           *string                             `json:"organization,omitempty"`
	PasswordDate           NullableString                      `json:"password_date,omitempty"`
	PasswordExpirationDate NullableString                      `json:"password_expiration_date,omitempty"`
	PasswordExpired        *bool                               `json:"password_expired,omitempty"`
	PasswordNeverExpires   *bool                               `json:"password_never_expires,omitempty"`
	PasswordlessSudo       *bool                               `json:"passwordless_sudo,omitempty"`
	PhoneNumbers           []SystemuserreturnPhoneNumbersInner `json:"phoneNumbers,omitempty"`
	PublicKey              *string                             `json:"public_key,omitempty"`
	RecoveryEmail          *SystemuserreturnRecoveryEmail      `json:"recoveryEmail,omitempty"`
	Relationships          []SystemuserputRelationshipsInner   `json:"relationships,omitempty"`
	SambaServiceUser       *bool                               `json:"samba_service_user,omitempty"`
	SshKeys                []Sshkeylist                        `json:"ssh_keys,omitempty"`
	State                  *string                             `json:"state,omitempty"`
	Sudo                   *bool                               `json:"sudo,omitempty"`
	Suspended              *bool                               `json:"suspended,omitempty"`
	Tags                   []string                            `json:"tags,omitempty"`
	TotpEnabled            *bool                               `json:"totp_enabled,omitempty"`
	UnixGuid               *int32                              `json:"unix_guid,omitempty"`
	UnixUid                *int32                              `json:"unix_uid,omitempty"`
	Username               *string                             `json:"username,omitempty"`
	AdditionalProperties   map[string]interface{}
}

Systemuserreturn struct for Systemuserreturn

func NewSystemuserreturn

func NewSystemuserreturn() *Systemuserreturn

NewSystemuserreturn instantiates a new Systemuserreturn object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserreturnWithDefaults

func NewSystemuserreturnWithDefaults() *Systemuserreturn

NewSystemuserreturnWithDefaults instantiates a new Systemuserreturn object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemuserreturn) GetAccountLocked

func (o *Systemuserreturn) GetAccountLocked() bool

GetAccountLocked returns the AccountLocked field value if set, zero value otherwise.

func (*Systemuserreturn) GetAccountLockedDate

func (o *Systemuserreturn) GetAccountLockedDate() string

GetAccountLockedDate returns the AccountLockedDate field value if set, zero value otherwise (both if not set or set to explicit null).

func (*Systemuserreturn) GetAccountLockedDateOk

func (o *Systemuserreturn) GetAccountLockedDateOk() (*string, bool)

GetAccountLockedDateOk returns a tuple with the AccountLockedDate field value if set, nil otherwise and a boolean to check if the value has been set. NOTE: If the value is an explicit nil, `nil, true` will be returned

func (*Systemuserreturn) GetAccountLockedOk

func (o *Systemuserreturn) GetAccountLockedOk() (*bool, bool)

GetAccountLockedOk returns a tuple with the AccountLocked field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetActivated

func (o *Systemuserreturn) GetActivated() bool

GetActivated returns the Activated field value if set, zero value otherwise.

func (*Systemuserreturn) GetActivatedOk

func (o *Systemuserreturn) GetActivatedOk() (*bool, bool)

GetActivatedOk returns a tuple with the Activated field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetAddresses

GetAddresses returns the Addresses field value if set, zero value otherwise.

func (*Systemuserreturn) GetAddressesOk

func (o *Systemuserreturn) GetAddressesOk() ([]SystemuserreturnAddressesInner, bool)

GetAddressesOk returns a tuple with the Addresses field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetAllowPublicKey

func (o *Systemuserreturn) GetAllowPublicKey() bool

GetAllowPublicKey returns the AllowPublicKey field value if set, zero value otherwise.

func (*Systemuserreturn) GetAllowPublicKeyOk

func (o *Systemuserreturn) GetAllowPublicKeyOk() (*bool, bool)

GetAllowPublicKeyOk returns a tuple with the AllowPublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetAlternateEmail

func (o *Systemuserreturn) GetAlternateEmail() string

GetAlternateEmail returns the AlternateEmail field value if set, zero value otherwise.

func (*Systemuserreturn) GetAlternateEmailOk

func (o *Systemuserreturn) GetAlternateEmailOk() (*string, bool)

GetAlternateEmailOk returns a tuple with the AlternateEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetAttributes

func (o *Systemuserreturn) GetAttributes() []SystemuserputAttributesInner

GetAttributes returns the Attributes field value if set, zero value otherwise.

func (*Systemuserreturn) GetAttributesOk

func (o *Systemuserreturn) GetAttributesOk() ([]SystemuserputAttributesInner, bool)

GetAttributesOk returns a tuple with the Attributes field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetBadLoginAttempts

func (o *Systemuserreturn) GetBadLoginAttempts() int32

GetBadLoginAttempts returns the BadLoginAttempts field value if set, zero value otherwise.

func (*Systemuserreturn) GetBadLoginAttemptsOk

func (o *Systemuserreturn) GetBadLoginAttemptsOk() (*int32, bool)

GetBadLoginAttemptsOk returns a tuple with the BadLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetCompany

func (o *Systemuserreturn) GetCompany() string

GetCompany returns the Company field value if set, zero value otherwise.

func (*Systemuserreturn) GetCompanyOk

func (o *Systemuserreturn) GetCompanyOk() (*string, bool)

GetCompanyOk returns a tuple with the Company field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetCostCenter

func (o *Systemuserreturn) GetCostCenter() string

GetCostCenter returns the CostCenter field value if set, zero value otherwise.

func (*Systemuserreturn) GetCostCenterOk

func (o *Systemuserreturn) GetCostCenterOk() (*string, bool)

GetCostCenterOk returns a tuple with the CostCenter field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetCreated

func (o *Systemuserreturn) GetCreated() string

GetCreated returns the Created field value if set, zero value otherwise.

func (*Systemuserreturn) GetCreatedOk

func (o *Systemuserreturn) GetCreatedOk() (*string, bool)

GetCreatedOk returns a tuple with the Created field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetCreationSource

func (o *Systemuserreturn) GetCreationSource() string

GetCreationSource returns the CreationSource field value if set, zero value otherwise.

func (*Systemuserreturn) GetCreationSourceOk

func (o *Systemuserreturn) GetCreationSourceOk() (*string, bool)

GetCreationSourceOk returns a tuple with the CreationSource field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetDepartment

func (o *Systemuserreturn) GetDepartment() string

GetDepartment returns the Department field value if set, zero value otherwise.

func (*Systemuserreturn) GetDepartmentOk

func (o *Systemuserreturn) GetDepartmentOk() (*string, bool)

GetDepartmentOk returns a tuple with the Department field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetDescription

func (o *Systemuserreturn) GetDescription() string

GetDescription returns the Description field value if set, zero value otherwise.

func (*Systemuserreturn) GetDescriptionOk

func (o *Systemuserreturn) GetDescriptionOk() (*string, bool)

GetDescriptionOk returns a tuple with the Description field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetDisableDeviceMaxLoginAttempts

func (o *Systemuserreturn) GetDisableDeviceMaxLoginAttempts() bool

GetDisableDeviceMaxLoginAttempts returns the DisableDeviceMaxLoginAttempts field value if set, zero value otherwise.

func (*Systemuserreturn) GetDisableDeviceMaxLoginAttemptsOk

func (o *Systemuserreturn) GetDisableDeviceMaxLoginAttemptsOk() (*bool, bool)

GetDisableDeviceMaxLoginAttemptsOk returns a tuple with the DisableDeviceMaxLoginAttempts field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetDisplayname

func (o *Systemuserreturn) GetDisplayname() string

GetDisplayname returns the Displayname field value if set, zero value otherwise.

func (*Systemuserreturn) GetDisplaynameOk

func (o *Systemuserreturn) GetDisplaynameOk() (*string, bool)

GetDisplaynameOk returns a tuple with the Displayname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetEmail

func (o *Systemuserreturn) GetEmail() string

GetEmail returns the Email field value if set, zero value otherwise.

func (*Systemuserreturn) GetEmailOk

func (o *Systemuserreturn) GetEmailOk() (*string, bool)

GetEmailOk returns a tuple with the Email field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetEmployeeIdentifier

func (o *Systemuserreturn) GetEmployeeIdentifier() string

GetEmployeeIdentifier returns the EmployeeIdentifier field value if set, zero value otherwise.

func (*Systemuserreturn) GetEmployeeIdentifierOk

func (o *Systemuserreturn) GetEmployeeIdentifierOk() (*string, bool)

GetEmployeeIdentifierOk returns a tuple with the EmployeeIdentifier field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetEmployeeType

func (o *Systemuserreturn) GetEmployeeType() string

GetEmployeeType returns the EmployeeType field value if set, zero value otherwise.

func (*Systemuserreturn) GetEmployeeTypeOk

func (o *Systemuserreturn) GetEmployeeTypeOk() (*string, bool)

GetEmployeeTypeOk returns a tuple with the EmployeeType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetEnableManagedUid

func (o *Systemuserreturn) GetEnableManagedUid() bool

GetEnableManagedUid returns the EnableManagedUid field value if set, zero value otherwise.

func (*Systemuserreturn) GetEnableManagedUidOk

func (o *Systemuserreturn) GetEnableManagedUidOk() (*bool, bool)

GetEnableManagedUidOk returns a tuple with the EnableManagedUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetEnableUserPortalMultifactor

func (o *Systemuserreturn) GetEnableUserPortalMultifactor() bool

GetEnableUserPortalMultifactor returns the EnableUserPortalMultifactor field value if set, zero value otherwise.

func (*Systemuserreturn) GetEnableUserPortalMultifactorOk

func (o *Systemuserreturn) GetEnableUserPortalMultifactorOk() (*bool, bool)

GetEnableUserPortalMultifactorOk returns a tuple with the EnableUserPortalMultifactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetExternalDn

func (o *Systemuserreturn) GetExternalDn() string

GetExternalDn returns the ExternalDn field value if set, zero value otherwise.

func (*Systemuserreturn) GetExternalDnOk

func (o *Systemuserreturn) GetExternalDnOk() (*string, bool)

GetExternalDnOk returns a tuple with the ExternalDn field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetExternalPasswordExpirationDate

func (o *Systemuserreturn) GetExternalPasswordExpirationDate() string

GetExternalPasswordExpirationDate returns the ExternalPasswordExpirationDate field value if set, zero value otherwise.

func (*Systemuserreturn) GetExternalPasswordExpirationDateOk

func (o *Systemuserreturn) GetExternalPasswordExpirationDateOk() (*string, bool)

GetExternalPasswordExpirationDateOk returns a tuple with the ExternalPasswordExpirationDate field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetExternalSourceType

func (o *Systemuserreturn) GetExternalSourceType() string

GetExternalSourceType returns the ExternalSourceType field value if set, zero value otherwise.

func (*Systemuserreturn) GetExternalSourceTypeOk

func (o *Systemuserreturn) GetExternalSourceTypeOk() (*string, bool)

GetExternalSourceTypeOk returns a tuple with the ExternalSourceType field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetExternallyManaged

func (o *Systemuserreturn) GetExternallyManaged() bool

GetExternallyManaged returns the ExternallyManaged field value if set, zero value otherwise.

func (*Systemuserreturn) GetExternallyManagedOk

func (o *Systemuserreturn) GetExternallyManagedOk() (*bool, bool)

GetExternallyManagedOk returns a tuple with the ExternallyManaged field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetFirstname

func (o *Systemuserreturn) GetFirstname() string

GetFirstname returns the Firstname field value if set, zero value otherwise.

func (*Systemuserreturn) GetFirstnameOk

func (o *Systemuserreturn) GetFirstnameOk() (*string, bool)

GetFirstnameOk returns a tuple with the Firstname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetId

func (o *Systemuserreturn) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Systemuserreturn) GetIdOk

func (o *Systemuserreturn) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetJobTitle

func (o *Systemuserreturn) GetJobTitle() string

GetJobTitle returns the JobTitle field value if set, zero value otherwise.

func (*Systemuserreturn) GetJobTitleOk

func (o *Systemuserreturn) GetJobTitleOk() (*string, bool)

GetJobTitleOk returns a tuple with the JobTitle field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetLastname

func (o *Systemuserreturn) GetLastname() string

GetLastname returns the Lastname field value if set, zero value otherwise.

func (*Systemuserreturn) GetLastnameOk

func (o *Systemuserreturn) GetLastnameOk() (*string, bool)

GetLastnameOk returns a tuple with the Lastname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetLdapBindingUser

func (o *Systemuserreturn) GetLdapBindingUser() bool

GetLdapBindingUser returns the LdapBindingUser field value if set, zero value otherwise.

func (*Systemuserreturn) GetLdapBindingUserOk

func (o *Systemuserreturn) GetLdapBindingUserOk() (*bool, bool)

GetLdapBindingUserOk returns a tuple with the LdapBindingUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetLocation

func (o *Systemuserreturn) GetLocation() string

GetLocation returns the Location field value if set, zero value otherwise.

func (*Systemuserreturn) GetLocationOk

func (o *Systemuserreturn) GetLocationOk() (*string, bool)

GetLocationOk returns a tuple with the Location field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetManagedAppleId

func (o *Systemuserreturn) GetManagedAppleId() string

GetManagedAppleId returns the ManagedAppleId field value if set, zero value otherwise.

func (*Systemuserreturn) GetManagedAppleIdOk

func (o *Systemuserreturn) GetManagedAppleIdOk() (*string, bool)

GetManagedAppleIdOk returns a tuple with the ManagedAppleId field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetManager

func (o *Systemuserreturn) GetManager() string

GetManager returns the Manager field value if set, zero value otherwise.

func (*Systemuserreturn) GetManagerOk

func (o *Systemuserreturn) GetManagerOk() (*string, bool)

GetManagerOk returns a tuple with the Manager field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetMfa

func (o *Systemuserreturn) GetMfa() Mfa

GetMfa returns the Mfa field value if set, zero value otherwise.

func (*Systemuserreturn) GetMfaEnrollment

func (o *Systemuserreturn) GetMfaEnrollment() MfaEnrollment

GetMfaEnrollment returns the MfaEnrollment field value if set, zero value otherwise.

func (*Systemuserreturn) GetMfaEnrollmentOk

func (o *Systemuserreturn) GetMfaEnrollmentOk() (*MfaEnrollment, bool)

GetMfaEnrollmentOk returns a tuple with the MfaEnrollment field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetMfaOk

func (o *Systemuserreturn) GetMfaOk() (*Mfa, bool)

GetMfaOk returns a tuple with the Mfa field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetMiddlename

func (o *Systemuserreturn) GetMiddlename() string

GetMiddlename returns the Middlename field value if set, zero value otherwise.

func (*Systemuserreturn) GetMiddlenameOk

func (o *Systemuserreturn) GetMiddlenameOk() (*string, bool)

GetMiddlenameOk returns a tuple with the Middlename field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetOrganization

func (o *Systemuserreturn) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Systemuserreturn) GetOrganizationOk

func (o *Systemuserreturn) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetPasswordDate

func (o *Systemuserreturn) GetPasswordDate() string

GetPasswordDate returns the PasswordDate field value if set, zero value otherwise (both if not set or set to explicit null).

func (*Systemuserreturn) GetPasswordDateOk

func (o *Systemuserreturn) GetPasswordDateOk() (*string, bool)

GetPasswordDateOk returns a tuple with the PasswordDate field value if set, nil otherwise and a boolean to check if the value has been set. NOTE: If the value is an explicit nil, `nil, true` will be returned

func (*Systemuserreturn) GetPasswordExpirationDate

func (o *Systemuserreturn) GetPasswordExpirationDate() string

GetPasswordExpirationDate returns the PasswordExpirationDate field value if set, zero value otherwise (both if not set or set to explicit null).

func (*Systemuserreturn) GetPasswordExpirationDateOk

func (o *Systemuserreturn) GetPasswordExpirationDateOk() (*string, bool)

GetPasswordExpirationDateOk returns a tuple with the PasswordExpirationDate field value if set, nil otherwise and a boolean to check if the value has been set. NOTE: If the value is an explicit nil, `nil, true` will be returned

func (*Systemuserreturn) GetPasswordExpired

func (o *Systemuserreturn) GetPasswordExpired() bool

GetPasswordExpired returns the PasswordExpired field value if set, zero value otherwise.

func (*Systemuserreturn) GetPasswordExpiredOk

func (o *Systemuserreturn) GetPasswordExpiredOk() (*bool, bool)

GetPasswordExpiredOk returns a tuple with the PasswordExpired field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetPasswordNeverExpires

func (o *Systemuserreturn) GetPasswordNeverExpires() bool

GetPasswordNeverExpires returns the PasswordNeverExpires field value if set, zero value otherwise.

func (*Systemuserreturn) GetPasswordNeverExpiresOk

func (o *Systemuserreturn) GetPasswordNeverExpiresOk() (*bool, bool)

GetPasswordNeverExpiresOk returns a tuple with the PasswordNeverExpires field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetPasswordlessSudo

func (o *Systemuserreturn) GetPasswordlessSudo() bool

GetPasswordlessSudo returns the PasswordlessSudo field value if set, zero value otherwise.

func (*Systemuserreturn) GetPasswordlessSudoOk

func (o *Systemuserreturn) GetPasswordlessSudoOk() (*bool, bool)

GetPasswordlessSudoOk returns a tuple with the PasswordlessSudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetPhoneNumbers

func (o *Systemuserreturn) GetPhoneNumbers() []SystemuserreturnPhoneNumbersInner

GetPhoneNumbers returns the PhoneNumbers field value if set, zero value otherwise.

func (*Systemuserreturn) GetPhoneNumbersOk

func (o *Systemuserreturn) GetPhoneNumbersOk() ([]SystemuserreturnPhoneNumbersInner, bool)

GetPhoneNumbersOk returns a tuple with the PhoneNumbers field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetPublicKey

func (o *Systemuserreturn) GetPublicKey() string

GetPublicKey returns the PublicKey field value if set, zero value otherwise.

func (*Systemuserreturn) GetPublicKeyOk

func (o *Systemuserreturn) GetPublicKeyOk() (*string, bool)

GetPublicKeyOk returns a tuple with the PublicKey field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetRecoveryEmail

func (o *Systemuserreturn) GetRecoveryEmail() SystemuserreturnRecoveryEmail

GetRecoveryEmail returns the RecoveryEmail field value if set, zero value otherwise.

func (*Systemuserreturn) GetRecoveryEmailOk

func (o *Systemuserreturn) GetRecoveryEmailOk() (*SystemuserreturnRecoveryEmail, bool)

GetRecoveryEmailOk returns a tuple with the RecoveryEmail field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetRelationships

func (o *Systemuserreturn) GetRelationships() []SystemuserputRelationshipsInner

GetRelationships returns the Relationships field value if set, zero value otherwise.

func (*Systemuserreturn) GetRelationshipsOk

func (o *Systemuserreturn) GetRelationshipsOk() ([]SystemuserputRelationshipsInner, bool)

GetRelationshipsOk returns a tuple with the Relationships field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetSambaServiceUser

func (o *Systemuserreturn) GetSambaServiceUser() bool

GetSambaServiceUser returns the SambaServiceUser field value if set, zero value otherwise.

func (*Systemuserreturn) GetSambaServiceUserOk

func (o *Systemuserreturn) GetSambaServiceUserOk() (*bool, bool)

GetSambaServiceUserOk returns a tuple with the SambaServiceUser field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetSshKeys

func (o *Systemuserreturn) GetSshKeys() []Sshkeylist

GetSshKeys returns the SshKeys field value if set, zero value otherwise.

func (*Systemuserreturn) GetSshKeysOk

func (o *Systemuserreturn) GetSshKeysOk() ([]Sshkeylist, bool)

GetSshKeysOk returns a tuple with the SshKeys field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetState

func (o *Systemuserreturn) GetState() string

GetState returns the State field value if set, zero value otherwise.

func (*Systemuserreturn) GetStateOk

func (o *Systemuserreturn) GetStateOk() (*string, bool)

GetStateOk returns a tuple with the State field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetSudo

func (o *Systemuserreturn) GetSudo() bool

GetSudo returns the Sudo field value if set, zero value otherwise.

func (*Systemuserreturn) GetSudoOk

func (o *Systemuserreturn) GetSudoOk() (*bool, bool)

GetSudoOk returns a tuple with the Sudo field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetSuspended

func (o *Systemuserreturn) GetSuspended() bool

GetSuspended returns the Suspended field value if set, zero value otherwise.

func (*Systemuserreturn) GetSuspendedOk

func (o *Systemuserreturn) GetSuspendedOk() (*bool, bool)

GetSuspendedOk returns a tuple with the Suspended field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetTags

func (o *Systemuserreturn) GetTags() []string

GetTags returns the Tags field value if set, zero value otherwise.

func (*Systemuserreturn) GetTagsOk

func (o *Systemuserreturn) GetTagsOk() ([]string, bool)

GetTagsOk returns a tuple with the Tags field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetTotpEnabled

func (o *Systemuserreturn) GetTotpEnabled() bool

GetTotpEnabled returns the TotpEnabled field value if set, zero value otherwise.

func (*Systemuserreturn) GetTotpEnabledOk

func (o *Systemuserreturn) GetTotpEnabledOk() (*bool, bool)

GetTotpEnabledOk returns a tuple with the TotpEnabled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetUnixGuid

func (o *Systemuserreturn) GetUnixGuid() int32

GetUnixGuid returns the UnixGuid field value if set, zero value otherwise.

func (*Systemuserreturn) GetUnixGuidOk

func (o *Systemuserreturn) GetUnixGuidOk() (*int32, bool)

GetUnixGuidOk returns a tuple with the UnixGuid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetUnixUid

func (o *Systemuserreturn) GetUnixUid() int32

GetUnixUid returns the UnixUid field value if set, zero value otherwise.

func (*Systemuserreturn) GetUnixUidOk

func (o *Systemuserreturn) GetUnixUidOk() (*int32, bool)

GetUnixUidOk returns a tuple with the UnixUid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) GetUsername

func (o *Systemuserreturn) GetUsername() string

GetUsername returns the Username field value if set, zero value otherwise.

func (*Systemuserreturn) GetUsernameOk

func (o *Systemuserreturn) GetUsernameOk() (*string, bool)

GetUsernameOk returns a tuple with the Username field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserreturn) HasAccountLocked

func (o *Systemuserreturn) HasAccountLocked() bool

HasAccountLocked returns a boolean if a field has been set.

func (*Systemuserreturn) HasAccountLockedDate

func (o *Systemuserreturn) HasAccountLockedDate() bool

HasAccountLockedDate returns a boolean if a field has been set.

func (*Systemuserreturn) HasActivated

func (o *Systemuserreturn) HasActivated() bool

HasActivated returns a boolean if a field has been set.

func (*Systemuserreturn) HasAddresses

func (o *Systemuserreturn) HasAddresses() bool

HasAddresses returns a boolean if a field has been set.

func (*Systemuserreturn) HasAllowPublicKey

func (o *Systemuserreturn) HasAllowPublicKey() bool

HasAllowPublicKey returns a boolean if a field has been set.

func (*Systemuserreturn) HasAlternateEmail

func (o *Systemuserreturn) HasAlternateEmail() bool

HasAlternateEmail returns a boolean if a field has been set.

func (*Systemuserreturn) HasAttributes

func (o *Systemuserreturn) HasAttributes() bool

HasAttributes returns a boolean if a field has been set.

func (*Systemuserreturn) HasBadLoginAttempts

func (o *Systemuserreturn) HasBadLoginAttempts() bool

HasBadLoginAttempts returns a boolean if a field has been set.

func (*Systemuserreturn) HasCompany

func (o *Systemuserreturn) HasCompany() bool

HasCompany returns a boolean if a field has been set.

func (*Systemuserreturn) HasCostCenter

func (o *Systemuserreturn) HasCostCenter() bool

HasCostCenter returns a boolean if a field has been set.

func (*Systemuserreturn) HasCreated

func (o *Systemuserreturn) HasCreated() bool

HasCreated returns a boolean if a field has been set.

func (*Systemuserreturn) HasCreationSource

func (o *Systemuserreturn) HasCreationSource() bool

HasCreationSource returns a boolean if a field has been set.

func (*Systemuserreturn) HasDepartment

func (o *Systemuserreturn) HasDepartment() bool

HasDepartment returns a boolean if a field has been set.

func (*Systemuserreturn) HasDescription

func (o *Systemuserreturn) HasDescription() bool

HasDescription returns a boolean if a field has been set.

func (*Systemuserreturn) HasDisableDeviceMaxLoginAttempts

func (o *Systemuserreturn) HasDisableDeviceMaxLoginAttempts() bool

HasDisableDeviceMaxLoginAttempts returns a boolean if a field has been set.

func (*Systemuserreturn) HasDisplayname

func (o *Systemuserreturn) HasDisplayname() bool

HasDisplayname returns a boolean if a field has been set.

func (*Systemuserreturn) HasEmail

func (o *Systemuserreturn) HasEmail() bool

HasEmail returns a boolean if a field has been set.

func (*Systemuserreturn) HasEmployeeIdentifier

func (o *Systemuserreturn) HasEmployeeIdentifier() bool

HasEmployeeIdentifier returns a boolean if a field has been set.

func (*Systemuserreturn) HasEmployeeType

func (o *Systemuserreturn) HasEmployeeType() bool

HasEmployeeType returns a boolean if a field has been set.

func (*Systemuserreturn) HasEnableManagedUid

func (o *Systemuserreturn) HasEnableManagedUid() bool

HasEnableManagedUid returns a boolean if a field has been set.

func (*Systemuserreturn) HasEnableUserPortalMultifactor

func (o *Systemuserreturn) HasEnableUserPortalMultifactor() bool

HasEnableUserPortalMultifactor returns a boolean if a field has been set.

func (*Systemuserreturn) HasExternalDn

func (o *Systemuserreturn) HasExternalDn() bool

HasExternalDn returns a boolean if a field has been set.

func (*Systemuserreturn) HasExternalPasswordExpirationDate

func (o *Systemuserreturn) HasExternalPasswordExpirationDate() bool

HasExternalPasswordExpirationDate returns a boolean if a field has been set.

func (*Systemuserreturn) HasExternalSourceType

func (o *Systemuserreturn) HasExternalSourceType() bool

HasExternalSourceType returns a boolean if a field has been set.

func (*Systemuserreturn) HasExternallyManaged

func (o *Systemuserreturn) HasExternallyManaged() bool

HasExternallyManaged returns a boolean if a field has been set.

func (*Systemuserreturn) HasFirstname

func (o *Systemuserreturn) HasFirstname() bool

HasFirstname returns a boolean if a field has been set.

func (*Systemuserreturn) HasId

func (o *Systemuserreturn) HasId() bool

HasId returns a boolean if a field has been set.

func (*Systemuserreturn) HasJobTitle

func (o *Systemuserreturn) HasJobTitle() bool

HasJobTitle returns a boolean if a field has been set.

func (*Systemuserreturn) HasLastname

func (o *Systemuserreturn) HasLastname() bool

HasLastname returns a boolean if a field has been set.

func (*Systemuserreturn) HasLdapBindingUser

func (o *Systemuserreturn) HasLdapBindingUser() bool

HasLdapBindingUser returns a boolean if a field has been set.

func (*Systemuserreturn) HasLocation

func (o *Systemuserreturn) HasLocation() bool

HasLocation returns a boolean if a field has been set.

func (*Systemuserreturn) HasManagedAppleId

func (o *Systemuserreturn) HasManagedAppleId() bool

HasManagedAppleId returns a boolean if a field has been set.

func (*Systemuserreturn) HasManager

func (o *Systemuserreturn) HasManager() bool

HasManager returns a boolean if a field has been set.

func (*Systemuserreturn) HasMfa

func (o *Systemuserreturn) HasMfa() bool

HasMfa returns a boolean if a field has been set.

func (*Systemuserreturn) HasMfaEnrollment

func (o *Systemuserreturn) HasMfaEnrollment() bool

HasMfaEnrollment returns a boolean if a field has been set.

func (*Systemuserreturn) HasMiddlename

func (o *Systemuserreturn) HasMiddlename() bool

HasMiddlename returns a boolean if a field has been set.

func (*Systemuserreturn) HasOrganization

func (o *Systemuserreturn) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Systemuserreturn) HasPasswordDate

func (o *Systemuserreturn) HasPasswordDate() bool

HasPasswordDate returns a boolean if a field has been set.

func (*Systemuserreturn) HasPasswordExpirationDate

func (o *Systemuserreturn) HasPasswordExpirationDate() bool

HasPasswordExpirationDate returns a boolean if a field has been set.

func (*Systemuserreturn) HasPasswordExpired

func (o *Systemuserreturn) HasPasswordExpired() bool

HasPasswordExpired returns a boolean if a field has been set.

func (*Systemuserreturn) HasPasswordNeverExpires

func (o *Systemuserreturn) HasPasswordNeverExpires() bool

HasPasswordNeverExpires returns a boolean if a field has been set.

func (*Systemuserreturn) HasPasswordlessSudo

func (o *Systemuserreturn) HasPasswordlessSudo() bool

HasPasswordlessSudo returns a boolean if a field has been set.

func (*Systemuserreturn) HasPhoneNumbers

func (o *Systemuserreturn) HasPhoneNumbers() bool

HasPhoneNumbers returns a boolean if a field has been set.

func (*Systemuserreturn) HasPublicKey

func (o *Systemuserreturn) HasPublicKey() bool

HasPublicKey returns a boolean if a field has been set.

func (*Systemuserreturn) HasRecoveryEmail

func (o *Systemuserreturn) HasRecoveryEmail() bool

HasRecoveryEmail returns a boolean if a field has been set.

func (*Systemuserreturn) HasRelationships

func (o *Systemuserreturn) HasRelationships() bool

HasRelationships returns a boolean if a field has been set.

func (*Systemuserreturn) HasSambaServiceUser

func (o *Systemuserreturn) HasSambaServiceUser() bool

HasSambaServiceUser returns a boolean if a field has been set.

func (*Systemuserreturn) HasSshKeys

func (o *Systemuserreturn) HasSshKeys() bool

HasSshKeys returns a boolean if a field has been set.

func (*Systemuserreturn) HasState

func (o *Systemuserreturn) HasState() bool

HasState returns a boolean if a field has been set.

func (*Systemuserreturn) HasSudo

func (o *Systemuserreturn) HasSudo() bool

HasSudo returns a boolean if a field has been set.

func (*Systemuserreturn) HasSuspended

func (o *Systemuserreturn) HasSuspended() bool

HasSuspended returns a boolean if a field has been set.

func (*Systemuserreturn) HasTags

func (o *Systemuserreturn) HasTags() bool

HasTags returns a boolean if a field has been set.

func (*Systemuserreturn) HasTotpEnabled

func (o *Systemuserreturn) HasTotpEnabled() bool

HasTotpEnabled returns a boolean if a field has been set.

func (*Systemuserreturn) HasUnixGuid

func (o *Systemuserreturn) HasUnixGuid() bool

HasUnixGuid returns a boolean if a field has been set.

func (*Systemuserreturn) HasUnixUid

func (o *Systemuserreturn) HasUnixUid() bool

HasUnixUid returns a boolean if a field has been set.

func (*Systemuserreturn) HasUsername

func (o *Systemuserreturn) HasUsername() bool

HasUsername returns a boolean if a field has been set.

func (Systemuserreturn) MarshalJSON

func (o Systemuserreturn) MarshalJSON() ([]byte, error)

func (*Systemuserreturn) SetAccountLocked

func (o *Systemuserreturn) SetAccountLocked(v bool)

SetAccountLocked gets a reference to the given bool and assigns it to the AccountLocked field.

func (*Systemuserreturn) SetAccountLockedDate

func (o *Systemuserreturn) SetAccountLockedDate(v string)

SetAccountLockedDate gets a reference to the given NullableString and assigns it to the AccountLockedDate field.

func (*Systemuserreturn) SetAccountLockedDateNil

func (o *Systemuserreturn) SetAccountLockedDateNil()

SetAccountLockedDateNil sets the value for AccountLockedDate to be an explicit nil

func (*Systemuserreturn) SetActivated

func (o *Systemuserreturn) SetActivated(v bool)

SetActivated gets a reference to the given bool and assigns it to the Activated field.

func (*Systemuserreturn) SetAddresses

func (o *Systemuserreturn) SetAddresses(v []SystemuserreturnAddressesInner)

SetAddresses gets a reference to the given []SystemuserreturnAddressesInner and assigns it to the Addresses field.

func (*Systemuserreturn) SetAllowPublicKey

func (o *Systemuserreturn) SetAllowPublicKey(v bool)

SetAllowPublicKey gets a reference to the given bool and assigns it to the AllowPublicKey field.

func (*Systemuserreturn) SetAlternateEmail

func (o *Systemuserreturn) SetAlternateEmail(v string)

SetAlternateEmail gets a reference to the given string and assigns it to the AlternateEmail field.

func (*Systemuserreturn) SetAttributes

func (o *Systemuserreturn) SetAttributes(v []SystemuserputAttributesInner)

SetAttributes gets a reference to the given []SystemuserputAttributesInner and assigns it to the Attributes field.

func (*Systemuserreturn) SetBadLoginAttempts

func (o *Systemuserreturn) SetBadLoginAttempts(v int32)

SetBadLoginAttempts gets a reference to the given int32 and assigns it to the BadLoginAttempts field.

func (*Systemuserreturn) SetCompany

func (o *Systemuserreturn) SetCompany(v string)

SetCompany gets a reference to the given string and assigns it to the Company field.

func (*Systemuserreturn) SetCostCenter

func (o *Systemuserreturn) SetCostCenter(v string)

SetCostCenter gets a reference to the given string and assigns it to the CostCenter field.

func (*Systemuserreturn) SetCreated

func (o *Systemuserreturn) SetCreated(v string)

SetCreated gets a reference to the given string and assigns it to the Created field.

func (*Systemuserreturn) SetCreationSource

func (o *Systemuserreturn) SetCreationSource(v string)

SetCreationSource gets a reference to the given string and assigns it to the CreationSource field.

func (*Systemuserreturn) SetDepartment

func (o *Systemuserreturn) SetDepartment(v string)

SetDepartment gets a reference to the given string and assigns it to the Department field.

func (*Systemuserreturn) SetDescription

func (o *Systemuserreturn) SetDescription(v string)

SetDescription gets a reference to the given string and assigns it to the Description field.

func (*Systemuserreturn) SetDisableDeviceMaxLoginAttempts

func (o *Systemuserreturn) SetDisableDeviceMaxLoginAttempts(v bool)

SetDisableDeviceMaxLoginAttempts gets a reference to the given bool and assigns it to the DisableDeviceMaxLoginAttempts field.

func (*Systemuserreturn) SetDisplayname

func (o *Systemuserreturn) SetDisplayname(v string)

SetDisplayname gets a reference to the given string and assigns it to the Displayname field.

func (*Systemuserreturn) SetEmail

func (o *Systemuserreturn) SetEmail(v string)

SetEmail gets a reference to the given string and assigns it to the Email field.

func (*Systemuserreturn) SetEmployeeIdentifier

func (o *Systemuserreturn) SetEmployeeIdentifier(v string)

SetEmployeeIdentifier gets a reference to the given string and assigns it to the EmployeeIdentifier field.

func (*Systemuserreturn) SetEmployeeType

func (o *Systemuserreturn) SetEmployeeType(v string)

SetEmployeeType gets a reference to the given string and assigns it to the EmployeeType field.

func (*Systemuserreturn) SetEnableManagedUid

func (o *Systemuserreturn) SetEnableManagedUid(v bool)

SetEnableManagedUid gets a reference to the given bool and assigns it to the EnableManagedUid field.

func (*Systemuserreturn) SetEnableUserPortalMultifactor

func (o *Systemuserreturn) SetEnableUserPortalMultifactor(v bool)

SetEnableUserPortalMultifactor gets a reference to the given bool and assigns it to the EnableUserPortalMultifactor field.

func (*Systemuserreturn) SetExternalDn

func (o *Systemuserreturn) SetExternalDn(v string)

SetExternalDn gets a reference to the given string and assigns it to the ExternalDn field.

func (*Systemuserreturn) SetExternalPasswordExpirationDate

func (o *Systemuserreturn) SetExternalPasswordExpirationDate(v string)

SetExternalPasswordExpirationDate gets a reference to the given string and assigns it to the ExternalPasswordExpirationDate field.

func (*Systemuserreturn) SetExternalSourceType

func (o *Systemuserreturn) SetExternalSourceType(v string)

SetExternalSourceType gets a reference to the given string and assigns it to the ExternalSourceType field.

func (*Systemuserreturn) SetExternallyManaged

func (o *Systemuserreturn) SetExternallyManaged(v bool)

SetExternallyManaged gets a reference to the given bool and assigns it to the ExternallyManaged field.

func (*Systemuserreturn) SetFirstname

func (o *Systemuserreturn) SetFirstname(v string)

SetFirstname gets a reference to the given string and assigns it to the Firstname field.

func (*Systemuserreturn) SetId

func (o *Systemuserreturn) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Systemuserreturn) SetJobTitle

func (o *Systemuserreturn) SetJobTitle(v string)

SetJobTitle gets a reference to the given string and assigns it to the JobTitle field.

func (*Systemuserreturn) SetLastname

func (o *Systemuserreturn) SetLastname(v string)

SetLastname gets a reference to the given string and assigns it to the Lastname field.

func (*Systemuserreturn) SetLdapBindingUser

func (o *Systemuserreturn) SetLdapBindingUser(v bool)

SetLdapBindingUser gets a reference to the given bool and assigns it to the LdapBindingUser field.

func (*Systemuserreturn) SetLocation

func (o *Systemuserreturn) SetLocation(v string)

SetLocation gets a reference to the given string and assigns it to the Location field.

func (*Systemuserreturn) SetManagedAppleId

func (o *Systemuserreturn) SetManagedAppleId(v string)

SetManagedAppleId gets a reference to the given string and assigns it to the ManagedAppleId field.

func (*Systemuserreturn) SetManager

func (o *Systemuserreturn) SetManager(v string)

SetManager gets a reference to the given string and assigns it to the Manager field.

func (*Systemuserreturn) SetMfa

func (o *Systemuserreturn) SetMfa(v Mfa)

SetMfa gets a reference to the given Mfa and assigns it to the Mfa field.

func (*Systemuserreturn) SetMfaEnrollment

func (o *Systemuserreturn) SetMfaEnrollment(v MfaEnrollment)

SetMfaEnrollment gets a reference to the given MfaEnrollment and assigns it to the MfaEnrollment field.

func (*Systemuserreturn) SetMiddlename

func (o *Systemuserreturn) SetMiddlename(v string)

SetMiddlename gets a reference to the given string and assigns it to the Middlename field.

func (*Systemuserreturn) SetOrganization

func (o *Systemuserreturn) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Systemuserreturn) SetPasswordDate

func (o *Systemuserreturn) SetPasswordDate(v string)

SetPasswordDate gets a reference to the given NullableString and assigns it to the PasswordDate field.

func (*Systemuserreturn) SetPasswordDateNil

func (o *Systemuserreturn) SetPasswordDateNil()

SetPasswordDateNil sets the value for PasswordDate to be an explicit nil

func (*Systemuserreturn) SetPasswordExpirationDate

func (o *Systemuserreturn) SetPasswordExpirationDate(v string)

SetPasswordExpirationDate gets a reference to the given NullableString and assigns it to the PasswordExpirationDate field.

func (*Systemuserreturn) SetPasswordExpirationDateNil

func (o *Systemuserreturn) SetPasswordExpirationDateNil()

SetPasswordExpirationDateNil sets the value for PasswordExpirationDate to be an explicit nil

func (*Systemuserreturn) SetPasswordExpired

func (o *Systemuserreturn) SetPasswordExpired(v bool)

SetPasswordExpired gets a reference to the given bool and assigns it to the PasswordExpired field.

func (*Systemuserreturn) SetPasswordNeverExpires

func (o *Systemuserreturn) SetPasswordNeverExpires(v bool)

SetPasswordNeverExpires gets a reference to the given bool and assigns it to the PasswordNeverExpires field.

func (*Systemuserreturn) SetPasswordlessSudo

func (o *Systemuserreturn) SetPasswordlessSudo(v bool)

SetPasswordlessSudo gets a reference to the given bool and assigns it to the PasswordlessSudo field.

func (*Systemuserreturn) SetPhoneNumbers

func (o *Systemuserreturn) SetPhoneNumbers(v []SystemuserreturnPhoneNumbersInner)

SetPhoneNumbers gets a reference to the given []SystemuserreturnPhoneNumbersInner and assigns it to the PhoneNumbers field.

func (*Systemuserreturn) SetPublicKey

func (o *Systemuserreturn) SetPublicKey(v string)

SetPublicKey gets a reference to the given string and assigns it to the PublicKey field.

func (*Systemuserreturn) SetRecoveryEmail

func (o *Systemuserreturn) SetRecoveryEmail(v SystemuserreturnRecoveryEmail)

SetRecoveryEmail gets a reference to the given SystemuserreturnRecoveryEmail and assigns it to the RecoveryEmail field.

func (*Systemuserreturn) SetRelationships

func (o *Systemuserreturn) SetRelationships(v []SystemuserputRelationshipsInner)

SetRelationships gets a reference to the given []SystemuserputRelationshipsInner and assigns it to the Relationships field.

func (*Systemuserreturn) SetSambaServiceUser

func (o *Systemuserreturn) SetSambaServiceUser(v bool)

SetSambaServiceUser gets a reference to the given bool and assigns it to the SambaServiceUser field.

func (*Systemuserreturn) SetSshKeys

func (o *Systemuserreturn) SetSshKeys(v []Sshkeylist)

SetSshKeys gets a reference to the given []Sshkeylist and assigns it to the SshKeys field.

func (*Systemuserreturn) SetState

func (o *Systemuserreturn) SetState(v string)

SetState gets a reference to the given string and assigns it to the State field.

func (*Systemuserreturn) SetSudo

func (o *Systemuserreturn) SetSudo(v bool)

SetSudo gets a reference to the given bool and assigns it to the Sudo field.

func (*Systemuserreturn) SetSuspended

func (o *Systemuserreturn) SetSuspended(v bool)

SetSuspended gets a reference to the given bool and assigns it to the Suspended field.

func (*Systemuserreturn) SetTags

func (o *Systemuserreturn) SetTags(v []string)

SetTags gets a reference to the given []string and assigns it to the Tags field.

func (*Systemuserreturn) SetTotpEnabled

func (o *Systemuserreturn) SetTotpEnabled(v bool)

SetTotpEnabled gets a reference to the given bool and assigns it to the TotpEnabled field.

func (*Systemuserreturn) SetUnixGuid

func (o *Systemuserreturn) SetUnixGuid(v int32)

SetUnixGuid gets a reference to the given int32 and assigns it to the UnixGuid field.

func (*Systemuserreturn) SetUnixUid

func (o *Systemuserreturn) SetUnixUid(v int32)

SetUnixUid gets a reference to the given int32 and assigns it to the UnixUid field.

func (*Systemuserreturn) SetUsername

func (o *Systemuserreturn) SetUsername(v string)

SetUsername gets a reference to the given string and assigns it to the Username field.

func (Systemuserreturn) ToMap

func (o Systemuserreturn) ToMap() (map[string]interface{}, error)

func (*Systemuserreturn) UnmarshalJSON

func (o *Systemuserreturn) UnmarshalJSON(bytes []byte) (err error)

func (*Systemuserreturn) UnsetAccountLockedDate

func (o *Systemuserreturn) UnsetAccountLockedDate()

UnsetAccountLockedDate ensures that no value is present for AccountLockedDate, not even an explicit nil

func (*Systemuserreturn) UnsetPasswordDate

func (o *Systemuserreturn) UnsetPasswordDate()

UnsetPasswordDate ensures that no value is present for PasswordDate, not even an explicit nil

func (*Systemuserreturn) UnsetPasswordExpirationDate

func (o *Systemuserreturn) UnsetPasswordExpirationDate()

UnsetPasswordExpirationDate ensures that no value is present for PasswordExpirationDate, not even an explicit nil

type SystemuserreturnAddressesInner

type SystemuserreturnAddressesInner struct {
	Country              *string `json:"country,omitempty"`
	ExtendedAddress      *string `json:"extendedAddress,omitempty"`
	Id                   *string `json:"id,omitempty"`
	Locality             *string `json:"locality,omitempty"`
	PoBox                *string `json:"poBox,omitempty"`
	PostalCode           *string `json:"postalCode,omitempty"`
	Region               *string `json:"region,omitempty"`
	StreetAddress        *string `json:"streetAddress,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserreturnAddressesInner struct for SystemuserreturnAddressesInner

func NewSystemuserreturnAddressesInner

func NewSystemuserreturnAddressesInner() *SystemuserreturnAddressesInner

NewSystemuserreturnAddressesInner instantiates a new SystemuserreturnAddressesInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserreturnAddressesInnerWithDefaults

func NewSystemuserreturnAddressesInnerWithDefaults() *SystemuserreturnAddressesInner

NewSystemuserreturnAddressesInnerWithDefaults instantiates a new SystemuserreturnAddressesInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserreturnAddressesInner) GetCountry

func (o *SystemuserreturnAddressesInner) GetCountry() string

GetCountry returns the Country field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetCountryOk

func (o *SystemuserreturnAddressesInner) GetCountryOk() (*string, bool)

GetCountryOk returns a tuple with the Country field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetExtendedAddress

func (o *SystemuserreturnAddressesInner) GetExtendedAddress() string

GetExtendedAddress returns the ExtendedAddress field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetExtendedAddressOk

func (o *SystemuserreturnAddressesInner) GetExtendedAddressOk() (*string, bool)

GetExtendedAddressOk returns a tuple with the ExtendedAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetId

GetId returns the Id field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetIdOk

func (o *SystemuserreturnAddressesInner) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetLocality

func (o *SystemuserreturnAddressesInner) GetLocality() string

GetLocality returns the Locality field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetLocalityOk

func (o *SystemuserreturnAddressesInner) GetLocalityOk() (*string, bool)

GetLocalityOk returns a tuple with the Locality field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetPoBox

func (o *SystemuserreturnAddressesInner) GetPoBox() string

GetPoBox returns the PoBox field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetPoBoxOk

func (o *SystemuserreturnAddressesInner) GetPoBoxOk() (*string, bool)

GetPoBoxOk returns a tuple with the PoBox field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetPostalCode

func (o *SystemuserreturnAddressesInner) GetPostalCode() string

GetPostalCode returns the PostalCode field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetPostalCodeOk

func (o *SystemuserreturnAddressesInner) GetPostalCodeOk() (*string, bool)

GetPostalCodeOk returns a tuple with the PostalCode field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetRegion

func (o *SystemuserreturnAddressesInner) GetRegion() string

GetRegion returns the Region field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetRegionOk

func (o *SystemuserreturnAddressesInner) GetRegionOk() (*string, bool)

GetRegionOk returns a tuple with the Region field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetStreetAddress

func (o *SystemuserreturnAddressesInner) GetStreetAddress() string

GetStreetAddress returns the StreetAddress field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetStreetAddressOk

func (o *SystemuserreturnAddressesInner) GetStreetAddressOk() (*string, bool)

GetStreetAddressOk returns a tuple with the StreetAddress field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserreturnAddressesInner) GetTypeOk

func (o *SystemuserreturnAddressesInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnAddressesInner) HasCountry

func (o *SystemuserreturnAddressesInner) HasCountry() bool

HasCountry returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasExtendedAddress

func (o *SystemuserreturnAddressesInner) HasExtendedAddress() bool

HasExtendedAddress returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasId

HasId returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasLocality

func (o *SystemuserreturnAddressesInner) HasLocality() bool

HasLocality returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasPoBox

func (o *SystemuserreturnAddressesInner) HasPoBox() bool

HasPoBox returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasPostalCode

func (o *SystemuserreturnAddressesInner) HasPostalCode() bool

HasPostalCode returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasRegion

func (o *SystemuserreturnAddressesInner) HasRegion() bool

HasRegion returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasStreetAddress

func (o *SystemuserreturnAddressesInner) HasStreetAddress() bool

HasStreetAddress returns a boolean if a field has been set.

func (*SystemuserreturnAddressesInner) HasType

func (o *SystemuserreturnAddressesInner) HasType() bool

HasType returns a boolean if a field has been set.

func (SystemuserreturnAddressesInner) MarshalJSON

func (o SystemuserreturnAddressesInner) MarshalJSON() ([]byte, error)

func (*SystemuserreturnAddressesInner) SetCountry

func (o *SystemuserreturnAddressesInner) SetCountry(v string)

SetCountry gets a reference to the given string and assigns it to the Country field.

func (*SystemuserreturnAddressesInner) SetExtendedAddress

func (o *SystemuserreturnAddressesInner) SetExtendedAddress(v string)

SetExtendedAddress gets a reference to the given string and assigns it to the ExtendedAddress field.

func (*SystemuserreturnAddressesInner) SetId

SetId gets a reference to the given string and assigns it to the Id field.

func (*SystemuserreturnAddressesInner) SetLocality

func (o *SystemuserreturnAddressesInner) SetLocality(v string)

SetLocality gets a reference to the given string and assigns it to the Locality field.

func (*SystemuserreturnAddressesInner) SetPoBox

func (o *SystemuserreturnAddressesInner) SetPoBox(v string)

SetPoBox gets a reference to the given string and assigns it to the PoBox field.

func (*SystemuserreturnAddressesInner) SetPostalCode

func (o *SystemuserreturnAddressesInner) SetPostalCode(v string)

SetPostalCode gets a reference to the given string and assigns it to the PostalCode field.

func (*SystemuserreturnAddressesInner) SetRegion

func (o *SystemuserreturnAddressesInner) SetRegion(v string)

SetRegion gets a reference to the given string and assigns it to the Region field.

func (*SystemuserreturnAddressesInner) SetStreetAddress

func (o *SystemuserreturnAddressesInner) SetStreetAddress(v string)

SetStreetAddress gets a reference to the given string and assigns it to the StreetAddress field.

func (*SystemuserreturnAddressesInner) SetType

func (o *SystemuserreturnAddressesInner) SetType(v string)

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserreturnAddressesInner) ToMap

func (o SystemuserreturnAddressesInner) ToMap() (map[string]interface{}, error)

func (*SystemuserreturnAddressesInner) UnmarshalJSON

func (o *SystemuserreturnAddressesInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserreturnPhoneNumbersInner

type SystemuserreturnPhoneNumbersInner struct {
	Id                   *string `json:"id,omitempty"`
	Number               *string `json:"number,omitempty"`
	Type                 *string `json:"type,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserreturnPhoneNumbersInner struct for SystemuserreturnPhoneNumbersInner

func NewSystemuserreturnPhoneNumbersInner

func NewSystemuserreturnPhoneNumbersInner() *SystemuserreturnPhoneNumbersInner

NewSystemuserreturnPhoneNumbersInner instantiates a new SystemuserreturnPhoneNumbersInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserreturnPhoneNumbersInnerWithDefaults

func NewSystemuserreturnPhoneNumbersInnerWithDefaults() *SystemuserreturnPhoneNumbersInner

NewSystemuserreturnPhoneNumbersInnerWithDefaults instantiates a new SystemuserreturnPhoneNumbersInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserreturnPhoneNumbersInner) GetId

GetId returns the Id field value if set, zero value otherwise.

func (*SystemuserreturnPhoneNumbersInner) GetIdOk

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnPhoneNumbersInner) GetNumber

GetNumber returns the Number field value if set, zero value otherwise.

func (*SystemuserreturnPhoneNumbersInner) GetNumberOk

func (o *SystemuserreturnPhoneNumbersInner) GetNumberOk() (*string, bool)

GetNumberOk returns a tuple with the Number field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnPhoneNumbersInner) GetType

GetType returns the Type field value if set, zero value otherwise.

func (*SystemuserreturnPhoneNumbersInner) GetTypeOk

func (o *SystemuserreturnPhoneNumbersInner) GetTypeOk() (*string, bool)

GetTypeOk returns a tuple with the Type field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnPhoneNumbersInner) HasId

HasId returns a boolean if a field has been set.

func (*SystemuserreturnPhoneNumbersInner) HasNumber

func (o *SystemuserreturnPhoneNumbersInner) HasNumber() bool

HasNumber returns a boolean if a field has been set.

func (*SystemuserreturnPhoneNumbersInner) HasType

HasType returns a boolean if a field has been set.

func (SystemuserreturnPhoneNumbersInner) MarshalJSON

func (o SystemuserreturnPhoneNumbersInner) MarshalJSON() ([]byte, error)

func (*SystemuserreturnPhoneNumbersInner) SetId

SetId gets a reference to the given string and assigns it to the Id field.

func (*SystemuserreturnPhoneNumbersInner) SetNumber

func (o *SystemuserreturnPhoneNumbersInner) SetNumber(v string)

SetNumber gets a reference to the given string and assigns it to the Number field.

func (*SystemuserreturnPhoneNumbersInner) SetType

SetType gets a reference to the given string and assigns it to the Type field.

func (SystemuserreturnPhoneNumbersInner) ToMap

func (o SystemuserreturnPhoneNumbersInner) ToMap() (map[string]interface{}, error)

func (*SystemuserreturnPhoneNumbersInner) UnmarshalJSON

func (o *SystemuserreturnPhoneNumbersInner) UnmarshalJSON(bytes []byte) (err error)

type SystemuserreturnRecoveryEmail

type SystemuserreturnRecoveryEmail struct {
	Address              *string `json:"address,omitempty"`
	Verified             *bool   `json:"verified,omitempty"`
	VerifiedAt           *string `json:"verifiedAt,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemuserreturnRecoveryEmail struct for SystemuserreturnRecoveryEmail

func NewSystemuserreturnRecoveryEmail

func NewSystemuserreturnRecoveryEmail() *SystemuserreturnRecoveryEmail

NewSystemuserreturnRecoveryEmail instantiates a new SystemuserreturnRecoveryEmail object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserreturnRecoveryEmailWithDefaults

func NewSystemuserreturnRecoveryEmailWithDefaults() *SystemuserreturnRecoveryEmail

NewSystemuserreturnRecoveryEmailWithDefaults instantiates a new SystemuserreturnRecoveryEmail object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemuserreturnRecoveryEmail) GetAddress

func (o *SystemuserreturnRecoveryEmail) GetAddress() string

GetAddress returns the Address field value if set, zero value otherwise.

func (*SystemuserreturnRecoveryEmail) GetAddressOk

func (o *SystemuserreturnRecoveryEmail) GetAddressOk() (*string, bool)

GetAddressOk returns a tuple with the Address field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnRecoveryEmail) GetVerified

func (o *SystemuserreturnRecoveryEmail) GetVerified() bool

GetVerified returns the Verified field value if set, zero value otherwise.

func (*SystemuserreturnRecoveryEmail) GetVerifiedAt

func (o *SystemuserreturnRecoveryEmail) GetVerifiedAt() string

GetVerifiedAt returns the VerifiedAt field value if set, zero value otherwise.

func (*SystemuserreturnRecoveryEmail) GetVerifiedAtOk

func (o *SystemuserreturnRecoveryEmail) GetVerifiedAtOk() (*string, bool)

GetVerifiedAtOk returns a tuple with the VerifiedAt field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnRecoveryEmail) GetVerifiedOk

func (o *SystemuserreturnRecoveryEmail) GetVerifiedOk() (*bool, bool)

GetVerifiedOk returns a tuple with the Verified field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemuserreturnRecoveryEmail) HasAddress

func (o *SystemuserreturnRecoveryEmail) HasAddress() bool

HasAddress returns a boolean if a field has been set.

func (*SystemuserreturnRecoveryEmail) HasVerified

func (o *SystemuserreturnRecoveryEmail) HasVerified() bool

HasVerified returns a boolean if a field has been set.

func (*SystemuserreturnRecoveryEmail) HasVerifiedAt

func (o *SystemuserreturnRecoveryEmail) HasVerifiedAt() bool

HasVerifiedAt returns a boolean if a field has been set.

func (SystemuserreturnRecoveryEmail) MarshalJSON

func (o SystemuserreturnRecoveryEmail) MarshalJSON() ([]byte, error)

func (*SystemuserreturnRecoveryEmail) SetAddress

func (o *SystemuserreturnRecoveryEmail) SetAddress(v string)

SetAddress gets a reference to the given string and assigns it to the Address field.

func (*SystemuserreturnRecoveryEmail) SetVerified

func (o *SystemuserreturnRecoveryEmail) SetVerified(v bool)

SetVerified gets a reference to the given bool and assigns it to the Verified field.

func (*SystemuserreturnRecoveryEmail) SetVerifiedAt

func (o *SystemuserreturnRecoveryEmail) SetVerifiedAt(v string)

SetVerifiedAt gets a reference to the given string and assigns it to the VerifiedAt field.

func (SystemuserreturnRecoveryEmail) ToMap

func (o SystemuserreturnRecoveryEmail) ToMap() (map[string]interface{}, error)

func (*SystemuserreturnRecoveryEmail) UnmarshalJSON

func (o *SystemuserreturnRecoveryEmail) UnmarshalJSON(bytes []byte) (err error)

type SystemusersApiService

type SystemusersApiService service

SystemusersApiService SystemusersApi service

func (*SystemusersApiService) SshkeyDelete

SshkeyDelete Delete a system user's Public SSH Keys

This endpoint will delete a specific System User's SSH Key.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param systemuserId
@param id
@return SystemusersApiSshkeyDeleteRequest

func (*SystemusersApiService) SshkeyDeleteExecute

Execute executes the request

@return string

func (*SystemusersApiService) SshkeyList

SshkeyList List a system user's public SSH keys

This endpoint will return a specific System User's public SSH key.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSshkeyListRequest

func (*SystemusersApiService) SshkeyListExecute

Execute executes the request

@return []Sshkeylist

func (*SystemusersApiService) SshkeyPost

SshkeyPost Create a system user's Public SSH Key

This endpoint will create a specific System User's Public SSH Key.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSshkeyPostRequest

func (*SystemusersApiService) SshkeyPostExecute

Execute executes the request

@return Sshkeylist

func (*SystemusersApiService) SystemusersDelete

SystemusersDelete Delete a system user

This endpoint allows you to delete a particular system user.

#### Sample Request ```

curl -X DELETE https://console.jumpcloud.com/api/systemusers/{UserID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersDeleteRequest

func (*SystemusersApiService) SystemusersDeleteExecute

Execute executes the request

@return Systemuserreturn

func (*SystemusersApiService) SystemusersExpire

SystemusersExpire Expire a system user's password

This endpoint allows you to expire a user's password.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersExpireRequest

func (*SystemusersApiService) SystemusersExpireExecute

Execute executes the request

@return string

func (*SystemusersApiService) SystemusersGet

SystemusersGet List a system user

This endpoint returns a particular System User.

#### Sample Request

```

curl -X GET https://console.jumpcloud.com/api/systemusers/{UserID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersGetRequest

func (*SystemusersApiService) SystemusersGetExecute

Execute executes the request

@return Systemuserreturn

func (*SystemusersApiService) SystemusersList

SystemusersList List all system users

This endpoint returns all systemusers.

#### Sample Request

```

curl -X GET https://console.jumpcloud.com/api/systemusers \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SystemusersApiSystemusersListRequest

func (*SystemusersApiService) SystemusersListExecute

Execute executes the request

@return Systemuserslist

func (*SystemusersApiService) SystemusersMfasync

SystemusersMfasync Sync a systemuser's mfa enrollment status

This endpoint allows you to re-sync a user's mfa enrollment status

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systemusers/{UserID}/mfasync \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersMfasyncRequest

func (*SystemusersApiService) SystemusersMfasyncExecute

Execute executes the request

func (*SystemusersApiService) SystemusersPost

SystemusersPost Create a system user

"This endpoint allows you to create a new system user.

#### Default User State The `state` of the user can be explicitly passed in or omitted. If `state` is omitted from the request, then the user will get created using the value returned from the [Get an Organization](https://docs.jumpcloud.com/api/1.0/index.html#operation/organizations_get) endpoint. The default user state for manually created users is stored in `settings.newSystemUserStateDefaults.manualEntry`

These default state values can be changed in the admin portal settings or by using the [Update an Organization](https://docs.jumpcloud.com/api/1.0/index.html#operation/organization_put) endpoint.

#### Sample Request

``` curl -X POST https://console.jumpcloud.com/api/systemusers \ -H 'Accept: application/json' \ -H 'Content-Type: application/json' \ -H 'x-api-key: {API_KEY}' \

-d '{
      "username":"{username}",
      "email":"{email_address}",
      "firstname":"{Name}",
      "lastname":"{Name}"
    }'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@return SystemusersApiSystemusersPostRequest

func (*SystemusersApiService) SystemusersPostExecute

Execute executes the request

@return Systemuserreturn

func (*SystemusersApiService) SystemusersPut

SystemusersPut Update a system user

This endpoint allows you to update a system user.

#### Sample Request

```

curl -X PUT https://console.jumpcloud.com/api/systemusers/{UserID} \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{
	"email":"{email_address}",
	"firstname":"{Name}",
	"lastname":"{Name}"
}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersPutRequest

func (*SystemusersApiService) SystemusersPutExecute

Execute executes the request

@return Systemuserreturn

func (*SystemusersApiService) SystemusersResetmfa

SystemusersResetmfa Reset a system user's MFA token

This endpoint allows you to reset the TOTP key for a specified system user and put them in an TOTP MFA enrollment period. This will result in the user being prompted to setup TOTP MFA when logging into userportal. Please be aware that if the user does not complete TOTP MFA setup before the `exclusionUntil` date, they will be locked out of any resources that require TOTP MFA.

Please refer to our [Knowledge Base Article](https://support.jumpcloud.com/customer/en/portal/articles/2959138-using-multifactor-authentication-with-jumpcloud) on setting up MFA for more information.

#### Sample Request ```

curl -X POST \
  https://console.jumpcloud.com/api/systemusers/{UserID}/resetmfa \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: {API_KEY}' \
  -d '{"exclusion": true, "exclusionUntil": "{date-time}"}'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersResetmfaRequest

func (*SystemusersApiService) SystemusersResetmfaExecute

Execute executes the request

@return string

func (*SystemusersApiService) SystemusersStateActivate

SystemusersStateActivate Activate System User

This endpoint changes the state of a STAGED user to ACTIVATED. #### Email Flag Use the "email" flag to determine whether or not to send a Welcome or Activation email to the newly activated user. Sending an empty body without the `email` flag, will send an email with default behavior (see the "Behavior" section below) ``` {} ``` Sending `email=true` flag will send an email with default behavior (see `Behavior` below) ``` { "email": true } ``` Populated email will override the default behavior and send to the specified email value ``` { "email": "example@example.com" } ``` Sending `email=false` will suppress sending the email ``` { "email": false } ``` #### Behavior Users with a password will be sent a Welcome email to:

  • The address specified in `email` flag in the request
  • If no `email` flag, the user's primary email address (default behavior)

Users without a password will be sent an Activation email to:

  • The address specified in `email` flag in the request
  • If no `email` flag, the user's alternate email address (default behavior)
  • If no alternate email address, the user's primary email address (default behavior)

#### Sample Request ```

curl -X POST https://console.jumpcloud.com/api/systemusers/{id}/state/activate \
  -H 'Accept: application/json' \
  -H 'Content-Type: application/json' \
  -H 'x-api-key: <api-key>' \
  -d '{ "email": "alternate-activation-email@email.com" }'

```

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersStateActivateRequest

func (*SystemusersApiService) SystemusersStateActivateExecute

Execute executes the request

@return string

func (*SystemusersApiService) SystemusersUnlock

SystemusersUnlock Unlock a system user

This endpoint allows you to unlock a user's account.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return SystemusersApiSystemusersUnlockRequest

func (*SystemusersApiService) SystemusersUnlockExecute

Execute executes the request

@return string

type SystemusersApiSshkeyDeleteRequest

type SystemusersApiSshkeyDeleteRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSshkeyDeleteRequest) Execute

func (SystemusersApiSshkeyDeleteRequest) XOrgId

type SystemusersApiSshkeyListRequest

type SystemusersApiSshkeyListRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSshkeyListRequest) Execute

func (SystemusersApiSshkeyListRequest) XOrgId

type SystemusersApiSshkeyPostRequest

type SystemusersApiSshkeyPostRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSshkeyPostRequest) Body

func (SystemusersApiSshkeyPostRequest) Execute

func (SystemusersApiSshkeyPostRequest) XOrgId

type SystemusersApiSystemusersDeleteRequest

type SystemusersApiSystemusersDeleteRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersDeleteRequest) CascadeManager

This is an optional flag that can be enabled on the DELETE call, DELETE /systemusers/{id}?cascade_manager&#x3D;null. This parameter will clear the Manager attribute on all direct reports and then delete the account.

func (SystemusersApiSystemusersDeleteRequest) Execute

func (SystemusersApiSystemusersDeleteRequest) XOrgId

type SystemusersApiSystemusersExpireRequest

type SystemusersApiSystemusersExpireRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersExpireRequest) Execute

func (SystemusersApiSystemusersExpireRequest) XOrgId

type SystemusersApiSystemusersGetRequest

type SystemusersApiSystemusersGetRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersGetRequest) Execute

func (SystemusersApiSystemusersGetRequest) Fields

Use a space seperated string of field parameters to include the data in the response. If omitted, the default list of fields will be returned.

func (SystemusersApiSystemusersGetRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related &#x60;/search/&lt;domain&gt;&#x60; endpoints, e.g. &#x60;/search/systems&#x60;. **Filter structure**: &#x60;&lt;field&gt;:&lt;operator&gt;:&lt;value&gt;&#x60;. **field** &#x3D; Populate with a valid field from an endpoint response. **operator** &#x3D; Supported operators are: - &#x60;$eq&#x60; (equals) - &#x60;$ne&#x60; (does not equal) - &#x60;$gt&#x60; (is greater than) - &#x60;$gte&#x60; (is greater than or equal to) - &#x60;$lt&#x60; (is less than) - &#x60;$lte&#x60; (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the &#x60;$&#x60; will result in undefined behavior._ **value** &#x3D; Populate with the value you want to search for. Is case sensitive. **Examples** - &#x60;GET /users?filter&#x3D;username:$eq:testuser&#x60; - &#x60;GET /systemusers?filter&#x3D;password_expiration_date:$lte:2021-10-24&#x60; - &#x60;GET /systemusers?filter&#x3D;department:$ne:Accounting&#x60; - &#x60;GET /systems?filter[0]&#x3D;firstname:$eq:foo&amp;filter[1]&#x3D;lastname:$eq:bar&#x60; - this will AND the filters together. - &#x60;GET /systems?filter[or][0]&#x3D;lastname:$eq:foo&amp;filter[or][1]&#x3D;lastname:$eq:bar&#x60; - this will OR the filters together.

func (SystemusersApiSystemusersGetRequest) XOrgId

type SystemusersApiSystemusersListRequest

type SystemusersApiSystemusersListRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersListRequest) Execute

func (SystemusersApiSystemusersListRequest) Fields

The space separated fields included in the returned records. If omitted the default list of fields will be returned.

func (SystemusersApiSystemusersListRequest) Filter

A filter to apply to the query. See the supported operators below. For more complex searches, see the related &#x60;/search/&lt;domain&gt;&#x60; endpoints, e.g. &#x60;/search/systems&#x60;. **Filter structure**: &#x60;&lt;field&gt;:&lt;operator&gt;:&lt;value&gt;&#x60;. **field** &#x3D; Populate with a valid field from an endpoint response. **operator** &#x3D; Supported operators are: - &#x60;$eq&#x60; (equals) - &#x60;$ne&#x60; (does not equal) - &#x60;$gt&#x60; (is greater than) - &#x60;$gte&#x60; (is greater than or equal to) - &#x60;$lt&#x60; (is less than) - &#x60;$lte&#x60; (is less than or equal to) _Note: v1 operators differ from v2 operators._ _Note: For v1 operators, excluding the &#x60;$&#x60; will result in undefined behavior._ **value** &#x3D; Populate with the value you want to search for. Is case sensitive. **Examples** - &#x60;GET /users?filter&#x3D;username:$eq:testuser&#x60; - &#x60;GET /systemusers?filter&#x3D;password_expiration_date:$lte:2021-10-24&#x60; - &#x60;GET /systemusers?filter&#x3D;department:$ne:Accounting&#x60; - &#x60;GET /systems?filter[0]&#x3D;firstname:$eq:foo&amp;filter[1]&#x3D;lastname:$eq:bar&#x60; - this will AND the filters together. - &#x60;GET /systems?filter[or][0]&#x3D;lastname:$eq:foo&amp;filter[or][1]&#x3D;lastname:$eq:bar&#x60; - this will OR the filters together.

func (SystemusersApiSystemusersListRequest) Limit

The number of records to return at once.

func (SystemusersApiSystemusersListRequest) Search

A nested object containing a &#x60;searchTerm&#x60; string or array of strings and a list of &#x60;fields&#x60; to search on.

func (SystemusersApiSystemusersListRequest) Skip

The offset into the records to return.

func (SystemusersApiSystemusersListRequest) Sort

The space separated fields used to sort the collection. Default sort is ascending, prefix with &#x60;-&#x60; to sort descending.

func (SystemusersApiSystemusersListRequest) XOrgId

type SystemusersApiSystemusersMfasyncRequest

type SystemusersApiSystemusersMfasyncRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersMfasyncRequest) Execute

type SystemusersApiSystemusersPostRequest

type SystemusersApiSystemusersPostRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersPostRequest) Body

func (SystemusersApiSystemusersPostRequest) Execute

func (SystemusersApiSystemusersPostRequest) FullValidationDetails

func (r SystemusersApiSystemusersPostRequest) FullValidationDetails(fullValidationDetails string) SystemusersApiSystemusersPostRequest

Pass this query parameter when a client wants all validation errors to be returned with a detailed error response for the form field specified. The current form fields are allowed: * &#x60;password&#x60; #### Password validation flag Use the &#x60;password&#x60; validation flag to receive details on a possible bad request response &#x60;&#x60;&#x60; ?fullValidationDetails&#x3D;password &#x60;&#x60;&#x60; Without the flag, default behavior will be a normal 400 with only a single validation string error #### Expected Behavior Clients can expect a list of validation error mappings for the validation query field in the details provided on the response: &#x60;&#x60;&#x60; { \&quot;code\&quot;: 400, \&quot;message\&quot;: \&quot;Password validation fail\&quot;, \&quot;status\&quot;: \&quot;INVALID_ARGUMENT\&quot;, \&quot;details\&quot;: [ { \&quot;fieldViolationsList\&quot;: [ {\&quot;field\&quot;: \&quot;password\&quot;, \&quot;description\&quot;: \&quot;specialCharacter\&quot;} ], &#39;@type&#39;: &#39;type.googleapis.com/google.rpc.BadRequest&#39;, }, ], }, &#x60;&#x60;&#x60;

func (SystemusersApiSystemusersPostRequest) XOrgId

type SystemusersApiSystemusersPutRequest

type SystemusersApiSystemusersPutRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersPutRequest) Body

func (SystemusersApiSystemusersPutRequest) Execute

func (SystemusersApiSystemusersPutRequest) FullValidationDetails

func (r SystemusersApiSystemusersPutRequest) FullValidationDetails(fullValidationDetails string) SystemusersApiSystemusersPutRequest

This endpoint can take in a query when a client wants all validation errors to be returned with error response for the form field specified, i.e. &#39;password&#39; #### Password validation flag Use the \&quot;password\&quot; validation flag to receive details on a possible bad request response Without the &#x60;password&#x60; flag, default behavior will be a normal 400 with only a validation string message &#x60;&#x60;&#x60; ?fullValidationDetails&#x3D;password &#x60;&#x60;&#x60; #### Expected Behavior Clients can expect a list of validation error mappings for the validation query field in the details provided on the response: &#x60;&#x60;&#x60; { \&quot;code\&quot;: 400, \&quot;message\&quot;: \&quot;Password validation fail\&quot;, \&quot;status\&quot;: \&quot;INVALID_ARGUMENT\&quot;, \&quot;details\&quot;: [ { \&quot;fieldViolationsList\&quot;: [{ \&quot;field\&quot;: \&quot;password\&quot;, \&quot;description\&quot;: \&quot;passwordHistory\&quot; }], &#39;@type&#39;: &#39;type.googleapis.com/google.rpc.BadRequest&#39;, }, ], }, &#x60;&#x60;&#x60;

func (SystemusersApiSystemusersPutRequest) XOrgId

type SystemusersApiSystemusersResetmfaRequest

type SystemusersApiSystemusersResetmfaRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersResetmfaRequest) Execute

func (SystemusersApiSystemusersResetmfaRequest) XOrgId

type SystemusersApiSystemusersStateActivateRequest

type SystemusersApiSystemusersStateActivateRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersStateActivateRequest) Execute

type SystemusersApiSystemusersUnlockRequest

type SystemusersApiSystemusersUnlockRequest struct {
	ApiService *SystemusersApiService
	// contains filtered or unexported fields
}

func (SystemusersApiSystemusersUnlockRequest) Execute

func (SystemusersApiSystemusersUnlockRequest) XOrgId

type SystemusersResetmfaRequest

type SystemusersResetmfaRequest struct {
	Exclusion            *bool      `json:"exclusion,omitempty"`
	ExclusionDays        *float32   `json:"exclusionDays,omitempty"`
	ExclusionUntil       *time.Time `json:"exclusionUntil,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemusersResetmfaRequest struct for SystemusersResetmfaRequest

func NewSystemusersResetmfaRequest

func NewSystemusersResetmfaRequest() *SystemusersResetmfaRequest

NewSystemusersResetmfaRequest instantiates a new SystemusersResetmfaRequest object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemusersResetmfaRequestWithDefaults

func NewSystemusersResetmfaRequestWithDefaults() *SystemusersResetmfaRequest

NewSystemusersResetmfaRequestWithDefaults instantiates a new SystemusersResetmfaRequest object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemusersResetmfaRequest) GetExclusion

func (o *SystemusersResetmfaRequest) GetExclusion() bool

GetExclusion returns the Exclusion field value if set, zero value otherwise.

func (*SystemusersResetmfaRequest) GetExclusionDays

func (o *SystemusersResetmfaRequest) GetExclusionDays() float32

GetExclusionDays returns the ExclusionDays field value if set, zero value otherwise.

func (*SystemusersResetmfaRequest) GetExclusionDaysOk

func (o *SystemusersResetmfaRequest) GetExclusionDaysOk() (*float32, bool)

GetExclusionDaysOk returns a tuple with the ExclusionDays field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemusersResetmfaRequest) GetExclusionOk

func (o *SystemusersResetmfaRequest) GetExclusionOk() (*bool, bool)

GetExclusionOk returns a tuple with the Exclusion field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemusersResetmfaRequest) GetExclusionUntil

func (o *SystemusersResetmfaRequest) GetExclusionUntil() time.Time

GetExclusionUntil returns the ExclusionUntil field value if set, zero value otherwise.

func (*SystemusersResetmfaRequest) GetExclusionUntilOk

func (o *SystemusersResetmfaRequest) GetExclusionUntilOk() (*time.Time, bool)

GetExclusionUntilOk returns a tuple with the ExclusionUntil field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemusersResetmfaRequest) HasExclusion

func (o *SystemusersResetmfaRequest) HasExclusion() bool

HasExclusion returns a boolean if a field has been set.

func (*SystemusersResetmfaRequest) HasExclusionDays

func (o *SystemusersResetmfaRequest) HasExclusionDays() bool

HasExclusionDays returns a boolean if a field has been set.

func (*SystemusersResetmfaRequest) HasExclusionUntil

func (o *SystemusersResetmfaRequest) HasExclusionUntil() bool

HasExclusionUntil returns a boolean if a field has been set.

func (SystemusersResetmfaRequest) MarshalJSON

func (o SystemusersResetmfaRequest) MarshalJSON() ([]byte, error)

func (*SystemusersResetmfaRequest) SetExclusion

func (o *SystemusersResetmfaRequest) SetExclusion(v bool)

SetExclusion gets a reference to the given bool and assigns it to the Exclusion field.

func (*SystemusersResetmfaRequest) SetExclusionDays

func (o *SystemusersResetmfaRequest) SetExclusionDays(v float32)

SetExclusionDays gets a reference to the given float32 and assigns it to the ExclusionDays field.

func (*SystemusersResetmfaRequest) SetExclusionUntil

func (o *SystemusersResetmfaRequest) SetExclusionUntil(v time.Time)

SetExclusionUntil gets a reference to the given time.Time and assigns it to the ExclusionUntil field.

func (SystemusersResetmfaRequest) ToMap

func (o SystemusersResetmfaRequest) ToMap() (map[string]interface{}, error)

func (*SystemusersResetmfaRequest) UnmarshalJSON

func (o *SystemusersResetmfaRequest) UnmarshalJSON(bytes []byte) (err error)

type SystemusersStateActivateRequest

type SystemusersStateActivateRequest struct {
	Email                map[string]interface{} `json:"email,omitempty"`
	AdditionalProperties map[string]interface{}
}

SystemusersStateActivateRequest struct for SystemusersStateActivateRequest

func NewSystemusersStateActivateRequest

func NewSystemusersStateActivateRequest() *SystemusersStateActivateRequest

NewSystemusersStateActivateRequest instantiates a new SystemusersStateActivateRequest object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemusersStateActivateRequestWithDefaults

func NewSystemusersStateActivateRequestWithDefaults() *SystemusersStateActivateRequest

NewSystemusersStateActivateRequestWithDefaults instantiates a new SystemusersStateActivateRequest object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*SystemusersStateActivateRequest) GetEmail

func (o *SystemusersStateActivateRequest) GetEmail() map[string]interface{}

GetEmail returns the Email field value if set, zero value otherwise.

func (*SystemusersStateActivateRequest) GetEmailOk

func (o *SystemusersStateActivateRequest) GetEmailOk() (map[string]interface{}, bool)

GetEmailOk returns a tuple with the Email field value if set, nil otherwise and a boolean to check if the value has been set.

func (*SystemusersStateActivateRequest) HasEmail

func (o *SystemusersStateActivateRequest) HasEmail() bool

HasEmail returns a boolean if a field has been set.

func (SystemusersStateActivateRequest) MarshalJSON

func (o SystemusersStateActivateRequest) MarshalJSON() ([]byte, error)

func (*SystemusersStateActivateRequest) SetEmail

func (o *SystemusersStateActivateRequest) SetEmail(v map[string]interface{})

SetEmail gets a reference to the given map[string]interface{} and assigns it to the Email field.

func (SystemusersStateActivateRequest) ToMap

func (o SystemusersStateActivateRequest) ToMap() (map[string]interface{}, error)

func (*SystemusersStateActivateRequest) UnmarshalJSON

func (o *SystemusersStateActivateRequest) UnmarshalJSON(bytes []byte) (err error)

type Systemuserslist

type Systemuserslist struct {
	// The list of system users.
	Results []Systemuserreturn `json:"results,omitempty"`
	// The total number of system users.
	TotalCount           *int32 `json:"totalCount,omitempty"`
	AdditionalProperties map[string]interface{}
}

Systemuserslist struct for Systemuserslist

func NewSystemuserslist

func NewSystemuserslist() *Systemuserslist

NewSystemuserslist instantiates a new Systemuserslist object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewSystemuserslistWithDefaults

func NewSystemuserslistWithDefaults() *Systemuserslist

NewSystemuserslistWithDefaults instantiates a new Systemuserslist object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Systemuserslist) GetResults

func (o *Systemuserslist) GetResults() []Systemuserreturn

GetResults returns the Results field value if set, zero value otherwise.

func (*Systemuserslist) GetResultsOk

func (o *Systemuserslist) GetResultsOk() ([]Systemuserreturn, bool)

GetResultsOk returns a tuple with the Results field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserslist) GetTotalCount

func (o *Systemuserslist) GetTotalCount() int32

GetTotalCount returns the TotalCount field value if set, zero value otherwise.

func (*Systemuserslist) GetTotalCountOk

func (o *Systemuserslist) GetTotalCountOk() (*int32, bool)

GetTotalCountOk returns a tuple with the TotalCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Systemuserslist) HasResults

func (o *Systemuserslist) HasResults() bool

HasResults returns a boolean if a field has been set.

func (*Systemuserslist) HasTotalCount

func (o *Systemuserslist) HasTotalCount() bool

HasTotalCount returns a boolean if a field has been set.

func (Systemuserslist) MarshalJSON

func (o Systemuserslist) MarshalJSON() ([]byte, error)

func (*Systemuserslist) SetResults

func (o *Systemuserslist) SetResults(v []Systemuserreturn)

SetResults gets a reference to the given []Systemuserreturn and assigns it to the Results field.

func (*Systemuserslist) SetTotalCount

func (o *Systemuserslist) SetTotalCount(v int32)

SetTotalCount gets a reference to the given int32 and assigns it to the TotalCount field.

func (Systemuserslist) ToMap

func (o Systemuserslist) ToMap() (map[string]interface{}, error)

func (*Systemuserslist) UnmarshalJSON

func (o *Systemuserslist) UnmarshalJSON(bytes []byte) (err error)

type Triggerreturn

type Triggerreturn struct {
	Triggered            []string `json:"triggered,omitempty"`
	AdditionalProperties map[string]interface{}
}

Triggerreturn struct for Triggerreturn

func NewTriggerreturn

func NewTriggerreturn() *Triggerreturn

NewTriggerreturn instantiates a new Triggerreturn object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTriggerreturnWithDefaults

func NewTriggerreturnWithDefaults() *Triggerreturn

NewTriggerreturnWithDefaults instantiates a new Triggerreturn object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Triggerreturn) GetTriggered

func (o *Triggerreturn) GetTriggered() []string

GetTriggered returns the Triggered field value if set, zero value otherwise.

func (*Triggerreturn) GetTriggeredOk

func (o *Triggerreturn) GetTriggeredOk() ([]string, bool)

GetTriggeredOk returns a tuple with the Triggered field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Triggerreturn) HasTriggered

func (o *Triggerreturn) HasTriggered() bool

HasTriggered returns a boolean if a field has been set.

func (Triggerreturn) MarshalJSON

func (o Triggerreturn) MarshalJSON() ([]byte, error)

func (*Triggerreturn) SetTriggered

func (o *Triggerreturn) SetTriggered(v []string)

SetTriggered gets a reference to the given []string and assigns it to the Triggered field.

func (Triggerreturn) ToMap

func (o Triggerreturn) ToMap() (map[string]interface{}, error)

func (*Triggerreturn) UnmarshalJSON

func (o *Triggerreturn) UnmarshalJSON(bytes []byte) (err error)

type TrustedappConfigGet

type TrustedappConfigGet struct {
	// Checksum to validate the trustedApp configuration for the organization
	Checksum string `json:"checksum"`
	// List of authorized apps for the organization
	TrustedApps          []TrustedappConfigGetTrustedAppsInner `json:"trustedApps"`
	AdditionalProperties map[string]interface{}
}

TrustedappConfigGet Object containing information about the list of trusted applications for the organization

func NewTrustedappConfigGet

func NewTrustedappConfigGet(checksum string, trustedApps []TrustedappConfigGetTrustedAppsInner) *TrustedappConfigGet

NewTrustedappConfigGet instantiates a new TrustedappConfigGet object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTrustedappConfigGetWithDefaults

func NewTrustedappConfigGetWithDefaults() *TrustedappConfigGet

NewTrustedappConfigGetWithDefaults instantiates a new TrustedappConfigGet object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TrustedappConfigGet) GetChecksum

func (o *TrustedappConfigGet) GetChecksum() string

GetChecksum returns the Checksum field value

func (*TrustedappConfigGet) GetChecksumOk

func (o *TrustedappConfigGet) GetChecksumOk() (*string, bool)

GetChecksumOk returns a tuple with the Checksum field value and a boolean to check if the value has been set.

func (*TrustedappConfigGet) GetTrustedApps

GetTrustedApps returns the TrustedApps field value

func (*TrustedappConfigGet) GetTrustedAppsOk

GetTrustedAppsOk returns a tuple with the TrustedApps field value and a boolean to check if the value has been set.

func (TrustedappConfigGet) MarshalJSON

func (o TrustedappConfigGet) MarshalJSON() ([]byte, error)

func (*TrustedappConfigGet) SetChecksum

func (o *TrustedappConfigGet) SetChecksum(v string)

SetChecksum sets field value

func (*TrustedappConfigGet) SetTrustedApps

SetTrustedApps sets field value

func (TrustedappConfigGet) ToMap

func (o TrustedappConfigGet) ToMap() (map[string]interface{}, error)

func (*TrustedappConfigGet) UnmarshalJSON

func (o *TrustedappConfigGet) UnmarshalJSON(bytes []byte) (err error)

type TrustedappConfigGetTrustedAppsInner

type TrustedappConfigGetTrustedAppsInner struct {
	// Name of the trusted application
	Name string `json:"name"`
	// Absolute path for the app's location in user's device
	Path *string `json:"path,omitempty"`
	// App's Team ID
	Teamid               *string `json:"teamid,omitempty"`
	AdditionalProperties map[string]interface{}
}

TrustedappConfigGetTrustedAppsInner Represents an application that is going to be trusted by the organization

func NewTrustedappConfigGetTrustedAppsInner

func NewTrustedappConfigGetTrustedAppsInner(name string) *TrustedappConfigGetTrustedAppsInner

NewTrustedappConfigGetTrustedAppsInner instantiates a new TrustedappConfigGetTrustedAppsInner object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTrustedappConfigGetTrustedAppsInnerWithDefaults

func NewTrustedappConfigGetTrustedAppsInnerWithDefaults() *TrustedappConfigGetTrustedAppsInner

NewTrustedappConfigGetTrustedAppsInnerWithDefaults instantiates a new TrustedappConfigGetTrustedAppsInner object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TrustedappConfigGetTrustedAppsInner) GetName

GetName returns the Name field value

func (*TrustedappConfigGetTrustedAppsInner) GetNameOk

func (o *TrustedappConfigGetTrustedAppsInner) GetNameOk() (*string, bool)

GetNameOk returns a tuple with the Name field value and a boolean to check if the value has been set.

func (*TrustedappConfigGetTrustedAppsInner) GetPath

GetPath returns the Path field value if set, zero value otherwise.

func (*TrustedappConfigGetTrustedAppsInner) GetPathOk

func (o *TrustedappConfigGetTrustedAppsInner) GetPathOk() (*string, bool)

GetPathOk returns a tuple with the Path field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TrustedappConfigGetTrustedAppsInner) GetTeamid

GetTeamid returns the Teamid field value if set, zero value otherwise.

func (*TrustedappConfigGetTrustedAppsInner) GetTeamidOk

func (o *TrustedappConfigGetTrustedAppsInner) GetTeamidOk() (*string, bool)

GetTeamidOk returns a tuple with the Teamid field value if set, nil otherwise and a boolean to check if the value has been set.

func (*TrustedappConfigGetTrustedAppsInner) HasPath

HasPath returns a boolean if a field has been set.

func (*TrustedappConfigGetTrustedAppsInner) HasTeamid

HasTeamid returns a boolean if a field has been set.

func (TrustedappConfigGetTrustedAppsInner) MarshalJSON

func (o TrustedappConfigGetTrustedAppsInner) MarshalJSON() ([]byte, error)

func (*TrustedappConfigGetTrustedAppsInner) SetName

SetName sets field value

func (*TrustedappConfigGetTrustedAppsInner) SetPath

SetPath gets a reference to the given string and assigns it to the Path field.

func (*TrustedappConfigGetTrustedAppsInner) SetTeamid

SetTeamid gets a reference to the given string and assigns it to the Teamid field.

func (TrustedappConfigGetTrustedAppsInner) ToMap

func (o TrustedappConfigGetTrustedAppsInner) ToMap() (map[string]interface{}, error)

func (*TrustedappConfigGetTrustedAppsInner) UnmarshalJSON

func (o *TrustedappConfigGetTrustedAppsInner) UnmarshalJSON(bytes []byte) (err error)

type TrustedappConfigPut

type TrustedappConfigPut struct {
	// List of authorized apps for the organization
	TrustedApps          []TrustedappConfigGetTrustedAppsInner `json:"trustedApps"`
	AdditionalProperties map[string]interface{}
}

TrustedappConfigPut Object containing information about the list of trusted applications for the organization

func NewTrustedappConfigPut

func NewTrustedappConfigPut(trustedApps []TrustedappConfigGetTrustedAppsInner) *TrustedappConfigPut

NewTrustedappConfigPut instantiates a new TrustedappConfigPut object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewTrustedappConfigPutWithDefaults

func NewTrustedappConfigPutWithDefaults() *TrustedappConfigPut

NewTrustedappConfigPutWithDefaults instantiates a new TrustedappConfigPut object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*TrustedappConfigPut) GetTrustedApps

GetTrustedApps returns the TrustedApps field value

func (*TrustedappConfigPut) GetTrustedAppsOk

GetTrustedAppsOk returns a tuple with the TrustedApps field value and a boolean to check if the value has been set.

func (TrustedappConfigPut) MarshalJSON

func (o TrustedappConfigPut) MarshalJSON() ([]byte, error)

func (*TrustedappConfigPut) SetTrustedApps

SetTrustedApps sets field value

func (TrustedappConfigPut) ToMap

func (o TrustedappConfigPut) ToMap() (map[string]interface{}, error)

func (*TrustedappConfigPut) UnmarshalJSON

func (o *TrustedappConfigPut) UnmarshalJSON(bytes []byte) (err error)

type Userput

type Userput struct {
	Email                *string                `json:"email,omitempty"`
	EnableMultiFactor    *bool                  `json:"enableMultiFactor,omitempty"`
	Firstname            *string                `json:"firstname,omitempty"`
	GrowthData           map[string]interface{} `json:"growthData,omitempty"`
	LastWhatsNewChecked  *string                `json:"lastWhatsNewChecked,omitempty"`
	Lastname             *string                `json:"lastname,omitempty"`
	RoleName             *string                `json:"roleName,omitempty"`
	AdditionalProperties map[string]interface{}
}

Userput struct for Userput

func NewUserput

func NewUserput() *Userput

NewUserput instantiates a new Userput object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUserputWithDefaults

func NewUserputWithDefaults() *Userput

NewUserputWithDefaults instantiates a new Userput object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Userput) GetEmail

func (o *Userput) GetEmail() string

GetEmail returns the Email field value if set, zero value otherwise.

func (*Userput) GetEmailOk

func (o *Userput) GetEmailOk() (*string, bool)

GetEmailOk returns a tuple with the Email field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetEnableMultiFactor

func (o *Userput) GetEnableMultiFactor() bool

GetEnableMultiFactor returns the EnableMultiFactor field value if set, zero value otherwise.

func (*Userput) GetEnableMultiFactorOk

func (o *Userput) GetEnableMultiFactorOk() (*bool, bool)

GetEnableMultiFactorOk returns a tuple with the EnableMultiFactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetFirstname

func (o *Userput) GetFirstname() string

GetFirstname returns the Firstname field value if set, zero value otherwise.

func (*Userput) GetFirstnameOk

func (o *Userput) GetFirstnameOk() (*string, bool)

GetFirstnameOk returns a tuple with the Firstname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetGrowthData

func (o *Userput) GetGrowthData() map[string]interface{}

GetGrowthData returns the GrowthData field value if set, zero value otherwise.

func (*Userput) GetGrowthDataOk

func (o *Userput) GetGrowthDataOk() (map[string]interface{}, bool)

GetGrowthDataOk returns a tuple with the GrowthData field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetLastWhatsNewChecked

func (o *Userput) GetLastWhatsNewChecked() string

GetLastWhatsNewChecked returns the LastWhatsNewChecked field value if set, zero value otherwise.

func (*Userput) GetLastWhatsNewCheckedOk

func (o *Userput) GetLastWhatsNewCheckedOk() (*string, bool)

GetLastWhatsNewCheckedOk returns a tuple with the LastWhatsNewChecked field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetLastname

func (o *Userput) GetLastname() string

GetLastname returns the Lastname field value if set, zero value otherwise.

func (*Userput) GetLastnameOk

func (o *Userput) GetLastnameOk() (*string, bool)

GetLastnameOk returns a tuple with the Lastname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) GetRoleName

func (o *Userput) GetRoleName() string

GetRoleName returns the RoleName field value if set, zero value otherwise.

func (*Userput) GetRoleNameOk

func (o *Userput) GetRoleNameOk() (*string, bool)

GetRoleNameOk returns a tuple with the RoleName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userput) HasEmail

func (o *Userput) HasEmail() bool

HasEmail returns a boolean if a field has been set.

func (*Userput) HasEnableMultiFactor

func (o *Userput) HasEnableMultiFactor() bool

HasEnableMultiFactor returns a boolean if a field has been set.

func (*Userput) HasFirstname

func (o *Userput) HasFirstname() bool

HasFirstname returns a boolean if a field has been set.

func (*Userput) HasGrowthData

func (o *Userput) HasGrowthData() bool

HasGrowthData returns a boolean if a field has been set.

func (*Userput) HasLastWhatsNewChecked

func (o *Userput) HasLastWhatsNewChecked() bool

HasLastWhatsNewChecked returns a boolean if a field has been set.

func (*Userput) HasLastname

func (o *Userput) HasLastname() bool

HasLastname returns a boolean if a field has been set.

func (*Userput) HasRoleName

func (o *Userput) HasRoleName() bool

HasRoleName returns a boolean if a field has been set.

func (Userput) MarshalJSON

func (o Userput) MarshalJSON() ([]byte, error)

func (*Userput) SetEmail

func (o *Userput) SetEmail(v string)

SetEmail gets a reference to the given string and assigns it to the Email field.

func (*Userput) SetEnableMultiFactor

func (o *Userput) SetEnableMultiFactor(v bool)

SetEnableMultiFactor gets a reference to the given bool and assigns it to the EnableMultiFactor field.

func (*Userput) SetFirstname

func (o *Userput) SetFirstname(v string)

SetFirstname gets a reference to the given string and assigns it to the Firstname field.

func (*Userput) SetGrowthData

func (o *Userput) SetGrowthData(v map[string]interface{})

SetGrowthData gets a reference to the given map[string]interface{} and assigns it to the GrowthData field.

func (*Userput) SetLastWhatsNewChecked

func (o *Userput) SetLastWhatsNewChecked(v string)

SetLastWhatsNewChecked gets a reference to the given string and assigns it to the LastWhatsNewChecked field.

func (*Userput) SetLastname

func (o *Userput) SetLastname(v string)

SetLastname gets a reference to the given string and assigns it to the Lastname field.

func (*Userput) SetRoleName

func (o *Userput) SetRoleName(v string)

SetRoleName gets a reference to the given string and assigns it to the RoleName field.

func (Userput) ToMap

func (o Userput) ToMap() (map[string]interface{}, error)

func (*Userput) UnmarshalJSON

func (o *Userput) UnmarshalJSON(bytes []byte) (err error)

type Userreturn

type Userreturn struct {
	Id                   *string               `json:"_id,omitempty"`
	Created              *time.Time            `json:"created,omitempty"`
	DisableIntroduction  *bool                 `json:"disableIntroduction,omitempty"`
	Email                *string               `json:"email,omitempty"`
	EnableMultiFactor    *bool                 `json:"enableMultiFactor,omitempty"`
	Firstname            *string               `json:"firstname,omitempty"`
	GrowthData           *UserreturnGrowthData `json:"growthData,omitempty"`
	LastWhatsNewChecked  *time.Time            `json:"lastWhatsNewChecked,omitempty"`
	Lastname             *string               `json:"lastname,omitempty"`
	Organization         *string               `json:"organization,omitempty"`
	Provider             *string               `json:"provider,omitempty"`
	Role                 *string               `json:"role,omitempty"`
	RoleName             *string               `json:"roleName,omitempty"`
	SessionCount         *int32                `json:"sessionCount,omitempty"`
	Suspended            *bool                 `json:"suspended,omitempty"`
	TotpEnrolled         *bool                 `json:"totpEnrolled,omitempty"`
	UsersTimeZone        *string               `json:"usersTimeZone,omitempty"`
	AdditionalProperties map[string]interface{}
}

Userreturn struct for Userreturn

func NewUserreturn

func NewUserreturn() *Userreturn

NewUserreturn instantiates a new Userreturn object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUserreturnWithDefaults

func NewUserreturnWithDefaults() *Userreturn

NewUserreturnWithDefaults instantiates a new Userreturn object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*Userreturn) GetCreated

func (o *Userreturn) GetCreated() time.Time

GetCreated returns the Created field value if set, zero value otherwise.

func (*Userreturn) GetCreatedOk

func (o *Userreturn) GetCreatedOk() (*time.Time, bool)

GetCreatedOk returns a tuple with the Created field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetDisableIntroduction

func (o *Userreturn) GetDisableIntroduction() bool

GetDisableIntroduction returns the DisableIntroduction field value if set, zero value otherwise.

func (*Userreturn) GetDisableIntroductionOk

func (o *Userreturn) GetDisableIntroductionOk() (*bool, bool)

GetDisableIntroductionOk returns a tuple with the DisableIntroduction field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetEmail

func (o *Userreturn) GetEmail() string

GetEmail returns the Email field value if set, zero value otherwise.

func (*Userreturn) GetEmailOk

func (o *Userreturn) GetEmailOk() (*string, bool)

GetEmailOk returns a tuple with the Email field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetEnableMultiFactor

func (o *Userreturn) GetEnableMultiFactor() bool

GetEnableMultiFactor returns the EnableMultiFactor field value if set, zero value otherwise.

func (*Userreturn) GetEnableMultiFactorOk

func (o *Userreturn) GetEnableMultiFactorOk() (*bool, bool)

GetEnableMultiFactorOk returns a tuple with the EnableMultiFactor field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetFirstname

func (o *Userreturn) GetFirstname() string

GetFirstname returns the Firstname field value if set, zero value otherwise.

func (*Userreturn) GetFirstnameOk

func (o *Userreturn) GetFirstnameOk() (*string, bool)

GetFirstnameOk returns a tuple with the Firstname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetGrowthData

func (o *Userreturn) GetGrowthData() UserreturnGrowthData

GetGrowthData returns the GrowthData field value if set, zero value otherwise.

func (*Userreturn) GetGrowthDataOk

func (o *Userreturn) GetGrowthDataOk() (*UserreturnGrowthData, bool)

GetGrowthDataOk returns a tuple with the GrowthData field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetId

func (o *Userreturn) GetId() string

GetId returns the Id field value if set, zero value otherwise.

func (*Userreturn) GetIdOk

func (o *Userreturn) GetIdOk() (*string, bool)

GetIdOk returns a tuple with the Id field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetLastWhatsNewChecked

func (o *Userreturn) GetLastWhatsNewChecked() time.Time

GetLastWhatsNewChecked returns the LastWhatsNewChecked field value if set, zero value otherwise.

func (*Userreturn) GetLastWhatsNewCheckedOk

func (o *Userreturn) GetLastWhatsNewCheckedOk() (*time.Time, bool)

GetLastWhatsNewCheckedOk returns a tuple with the LastWhatsNewChecked field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetLastname

func (o *Userreturn) GetLastname() string

GetLastname returns the Lastname field value if set, zero value otherwise.

func (*Userreturn) GetLastnameOk

func (o *Userreturn) GetLastnameOk() (*string, bool)

GetLastnameOk returns a tuple with the Lastname field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetOrganization

func (o *Userreturn) GetOrganization() string

GetOrganization returns the Organization field value if set, zero value otherwise.

func (*Userreturn) GetOrganizationOk

func (o *Userreturn) GetOrganizationOk() (*string, bool)

GetOrganizationOk returns a tuple with the Organization field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetProvider

func (o *Userreturn) GetProvider() string

GetProvider returns the Provider field value if set, zero value otherwise.

func (*Userreturn) GetProviderOk

func (o *Userreturn) GetProviderOk() (*string, bool)

GetProviderOk returns a tuple with the Provider field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetRole

func (o *Userreturn) GetRole() string

GetRole returns the Role field value if set, zero value otherwise.

func (*Userreturn) GetRoleName

func (o *Userreturn) GetRoleName() string

GetRoleName returns the RoleName field value if set, zero value otherwise.

func (*Userreturn) GetRoleNameOk

func (o *Userreturn) GetRoleNameOk() (*string, bool)

GetRoleNameOk returns a tuple with the RoleName field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetRoleOk

func (o *Userreturn) GetRoleOk() (*string, bool)

GetRoleOk returns a tuple with the Role field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetSessionCount

func (o *Userreturn) GetSessionCount() int32

GetSessionCount returns the SessionCount field value if set, zero value otherwise.

func (*Userreturn) GetSessionCountOk

func (o *Userreturn) GetSessionCountOk() (*int32, bool)

GetSessionCountOk returns a tuple with the SessionCount field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetSuspended

func (o *Userreturn) GetSuspended() bool

GetSuspended returns the Suspended field value if set, zero value otherwise.

func (*Userreturn) GetSuspendedOk

func (o *Userreturn) GetSuspendedOk() (*bool, bool)

GetSuspendedOk returns a tuple with the Suspended field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetTotpEnrolled

func (o *Userreturn) GetTotpEnrolled() bool

GetTotpEnrolled returns the TotpEnrolled field value if set, zero value otherwise.

func (*Userreturn) GetTotpEnrolledOk

func (o *Userreturn) GetTotpEnrolledOk() (*bool, bool)

GetTotpEnrolledOk returns a tuple with the TotpEnrolled field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) GetUsersTimeZone

func (o *Userreturn) GetUsersTimeZone() string

GetUsersTimeZone returns the UsersTimeZone field value if set, zero value otherwise.

func (*Userreturn) GetUsersTimeZoneOk

func (o *Userreturn) GetUsersTimeZoneOk() (*string, bool)

GetUsersTimeZoneOk returns a tuple with the UsersTimeZone field value if set, nil otherwise and a boolean to check if the value has been set.

func (*Userreturn) HasCreated

func (o *Userreturn) HasCreated() bool

HasCreated returns a boolean if a field has been set.

func (*Userreturn) HasDisableIntroduction

func (o *Userreturn) HasDisableIntroduction() bool

HasDisableIntroduction returns a boolean if a field has been set.

func (*Userreturn) HasEmail

func (o *Userreturn) HasEmail() bool

HasEmail returns a boolean if a field has been set.

func (*Userreturn) HasEnableMultiFactor

func (o *Userreturn) HasEnableMultiFactor() bool

HasEnableMultiFactor returns a boolean if a field has been set.

func (*Userreturn) HasFirstname

func (o *Userreturn) HasFirstname() bool

HasFirstname returns a boolean if a field has been set.

func (*Userreturn) HasGrowthData

func (o *Userreturn) HasGrowthData() bool

HasGrowthData returns a boolean if a field has been set.

func (*Userreturn) HasId

func (o *Userreturn) HasId() bool

HasId returns a boolean if a field has been set.

func (*Userreturn) HasLastWhatsNewChecked

func (o *Userreturn) HasLastWhatsNewChecked() bool

HasLastWhatsNewChecked returns a boolean if a field has been set.

func (*Userreturn) HasLastname

func (o *Userreturn) HasLastname() bool

HasLastname returns a boolean if a field has been set.

func (*Userreturn) HasOrganization

func (o *Userreturn) HasOrganization() bool

HasOrganization returns a boolean if a field has been set.

func (*Userreturn) HasProvider

func (o *Userreturn) HasProvider() bool

HasProvider returns a boolean if a field has been set.

func (*Userreturn) HasRole

func (o *Userreturn) HasRole() bool

HasRole returns a boolean if a field has been set.

func (*Userreturn) HasRoleName

func (o *Userreturn) HasRoleName() bool

HasRoleName returns a boolean if a field has been set.

func (*Userreturn) HasSessionCount

func (o *Userreturn) HasSessionCount() bool

HasSessionCount returns a boolean if a field has been set.

func (*Userreturn) HasSuspended

func (o *Userreturn) HasSuspended() bool

HasSuspended returns a boolean if a field has been set.

func (*Userreturn) HasTotpEnrolled

func (o *Userreturn) HasTotpEnrolled() bool

HasTotpEnrolled returns a boolean if a field has been set.

func (*Userreturn) HasUsersTimeZone

func (o *Userreturn) HasUsersTimeZone() bool

HasUsersTimeZone returns a boolean if a field has been set.

func (Userreturn) MarshalJSON

func (o Userreturn) MarshalJSON() ([]byte, error)

func (*Userreturn) SetCreated

func (o *Userreturn) SetCreated(v time.Time)

SetCreated gets a reference to the given time.Time and assigns it to the Created field.

func (*Userreturn) SetDisableIntroduction

func (o *Userreturn) SetDisableIntroduction(v bool)

SetDisableIntroduction gets a reference to the given bool and assigns it to the DisableIntroduction field.

func (*Userreturn) SetEmail

func (o *Userreturn) SetEmail(v string)

SetEmail gets a reference to the given string and assigns it to the Email field.

func (*Userreturn) SetEnableMultiFactor

func (o *Userreturn) SetEnableMultiFactor(v bool)

SetEnableMultiFactor gets a reference to the given bool and assigns it to the EnableMultiFactor field.

func (*Userreturn) SetFirstname

func (o *Userreturn) SetFirstname(v string)

SetFirstname gets a reference to the given string and assigns it to the Firstname field.

func (*Userreturn) SetGrowthData

func (o *Userreturn) SetGrowthData(v UserreturnGrowthData)

SetGrowthData gets a reference to the given UserreturnGrowthData and assigns it to the GrowthData field.

func (*Userreturn) SetId

func (o *Userreturn) SetId(v string)

SetId gets a reference to the given string and assigns it to the Id field.

func (*Userreturn) SetLastWhatsNewChecked

func (o *Userreturn) SetLastWhatsNewChecked(v time.Time)

SetLastWhatsNewChecked gets a reference to the given time.Time and assigns it to the LastWhatsNewChecked field.

func (*Userreturn) SetLastname

func (o *Userreturn) SetLastname(v string)

SetLastname gets a reference to the given string and assigns it to the Lastname field.

func (*Userreturn) SetOrganization

func (o *Userreturn) SetOrganization(v string)

SetOrganization gets a reference to the given string and assigns it to the Organization field.

func (*Userreturn) SetProvider

func (o *Userreturn) SetProvider(v string)

SetProvider gets a reference to the given string and assigns it to the Provider field.

func (*Userreturn) SetRole

func (o *Userreturn) SetRole(v string)

SetRole gets a reference to the given string and assigns it to the Role field.

func (*Userreturn) SetRoleName

func (o *Userreturn) SetRoleName(v string)

SetRoleName gets a reference to the given string and assigns it to the RoleName field.

func (*Userreturn) SetSessionCount

func (o *Userreturn) SetSessionCount(v int32)

SetSessionCount gets a reference to the given int32 and assigns it to the SessionCount field.

func (*Userreturn) SetSuspended

func (o *Userreturn) SetSuspended(v bool)

SetSuspended gets a reference to the given bool and assigns it to the Suspended field.

func (*Userreturn) SetTotpEnrolled

func (o *Userreturn) SetTotpEnrolled(v bool)

SetTotpEnrolled gets a reference to the given bool and assigns it to the TotpEnrolled field.

func (*Userreturn) SetUsersTimeZone

func (o *Userreturn) SetUsersTimeZone(v string)

SetUsersTimeZone gets a reference to the given string and assigns it to the UsersTimeZone field.

func (Userreturn) ToMap

func (o Userreturn) ToMap() (map[string]interface{}, error)

func (*Userreturn) UnmarshalJSON

func (o *Userreturn) UnmarshalJSON(bytes []byte) (err error)

type UserreturnGrowthData

type UserreturnGrowthData struct {
	ExperimentStates     map[string]interface{} `json:"experimentStates,omitempty"`
	OnboardingState      map[string]interface{} `json:"onboardingState,omitempty"`
	AdditionalProperties map[string]interface{}
}

UserreturnGrowthData struct for UserreturnGrowthData

func NewUserreturnGrowthData

func NewUserreturnGrowthData() *UserreturnGrowthData

NewUserreturnGrowthData instantiates a new UserreturnGrowthData object This constructor will assign default values to properties that have it defined, and makes sure properties required by API are set, but the set of arguments will change when the set of required properties is changed

func NewUserreturnGrowthDataWithDefaults

func NewUserreturnGrowthDataWithDefaults() *UserreturnGrowthData

NewUserreturnGrowthDataWithDefaults instantiates a new UserreturnGrowthData object This constructor will only assign default values to properties that have it defined, but it doesn't guarantee that properties required by API are set

func (*UserreturnGrowthData) GetExperimentStates

func (o *UserreturnGrowthData) GetExperimentStates() map[string]interface{}

GetExperimentStates returns the ExperimentStates field value if set, zero value otherwise.

func (*UserreturnGrowthData) GetExperimentStatesOk

func (o *UserreturnGrowthData) GetExperimentStatesOk() (map[string]interface{}, bool)

GetExperimentStatesOk returns a tuple with the ExperimentStates field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UserreturnGrowthData) GetOnboardingState

func (o *UserreturnGrowthData) GetOnboardingState() map[string]interface{}

GetOnboardingState returns the OnboardingState field value if set, zero value otherwise.

func (*UserreturnGrowthData) GetOnboardingStateOk

func (o *UserreturnGrowthData) GetOnboardingStateOk() (map[string]interface{}, bool)

GetOnboardingStateOk returns a tuple with the OnboardingState field value if set, nil otherwise and a boolean to check if the value has been set.

func (*UserreturnGrowthData) HasExperimentStates

func (o *UserreturnGrowthData) HasExperimentStates() bool

HasExperimentStates returns a boolean if a field has been set.

func (*UserreturnGrowthData) HasOnboardingState

func (o *UserreturnGrowthData) HasOnboardingState() bool

HasOnboardingState returns a boolean if a field has been set.

func (UserreturnGrowthData) MarshalJSON

func (o UserreturnGrowthData) MarshalJSON() ([]byte, error)

func (*UserreturnGrowthData) SetExperimentStates

func (o *UserreturnGrowthData) SetExperimentStates(v map[string]interface{})

SetExperimentStates gets a reference to the given map[string]interface{} and assigns it to the ExperimentStates field.

func (*UserreturnGrowthData) SetOnboardingState

func (o *UserreturnGrowthData) SetOnboardingState(v map[string]interface{})

SetOnboardingState gets a reference to the given map[string]interface{} and assigns it to the OnboardingState field.

func (UserreturnGrowthData) ToMap

func (o UserreturnGrowthData) ToMap() (map[string]interface{}, error)

func (*UserreturnGrowthData) UnmarshalJSON

func (o *UserreturnGrowthData) UnmarshalJSON(bytes []byte) (err error)

type UsersApiAdminTotpresetBeginRequest

type UsersApiAdminTotpresetBeginRequest struct {
	ApiService *UsersApiService
	// contains filtered or unexported fields
}

func (UsersApiAdminTotpresetBeginRequest) Execute

type UsersApiService

type UsersApiService service

UsersApiService UsersApi service

func (*UsersApiService) AdminTotpresetBegin

AdminTotpresetBegin Administrator TOTP Reset Initiation

This endpoint initiates a TOTP reset for an admin. This request does not accept a body.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return UsersApiAdminTotpresetBeginRequest

func (*UsersApiService) AdminTotpresetBeginExecute

func (a *UsersApiService) AdminTotpresetBeginExecute(r UsersApiAdminTotpresetBeginRequest) (*http.Response, error)

Execute executes the request

func (*UsersApiService) UsersPut

UsersPut Update a user

This endpoint allows you to update a user.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return UsersApiUsersPutRequest

func (*UsersApiService) UsersPutExecute

Execute executes the request

@return Userreturn

func (*UsersApiService) UsersReactivateGet

UsersReactivateGet Administrator Password Reset Initiation

This endpoint triggers the sending of a reactivation e-mail to an administrator.

@param ctx context.Context - for authentication, logging, cancellation, deadlines, tracing, etc. Passed from http.Request or context.Background().
@param id
@return UsersApiUsersReactivateGetRequest

func (*UsersApiService) UsersReactivateGetExecute

func (a *UsersApiService) UsersReactivateGetExecute(r UsersApiUsersReactivateGetRequest) (*http.Response, error)

Execute executes the request

type UsersApiUsersPutRequest

type UsersApiUsersPutRequest struct {
	ApiService *UsersApiService
	// contains filtered or unexported fields
}

func (UsersApiUsersPutRequest) Body

func (UsersApiUsersPutRequest) Execute

func (UsersApiUsersPutRequest) XOrgId

type UsersApiUsersReactivateGetRequest

type UsersApiUsersReactivateGetRequest struct {
	ApiService *UsersApiService
	// contains filtered or unexported fields
}

func (UsersApiUsersReactivateGetRequest) Execute

Source Files

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL