sifxml

package
v0.2.0 Latest Latest
Warning

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

Go to latest
Published: Nov 28, 2023 License: Apache-2.0 Imports: 6 Imported by: 1

Documentation

Overview

sifxml contains types to represent the SIF-AU data model, and accessor methods to manipulate them as objects.

Purpose

Objects in the SIF data model are highly interdependent, and synthesising SIF objects is a complex activity involving iterating through the various dependencies involved. The SIF objects generated have to comply with the SIF schema, including respecting codesets where applicable. This package ensures that SIF objects are populated consistently for data generation, and can be output as well-formed SIF XML and SIF JSON. (The JSON output follows the PESC convention, rather than the Goessner convention, and is idiomatic JSON.)

The package has been created for NSIP to populate its HITS test harness with the objects users need to consume, in order to confirm their compliance with the various test cases it supports. However it can be used by anyone wishing to generate SIF objects.

Provenance

The contents of the sifxml package are automatically generated from the specgen files specifying the data model for the current release of the SIF-AU data model, and are updated as the specification itself is updated. Updating sifxml to reflect the current SIF-AU data model is the responsibility of the NSIP Program. The current specification of SIF-AU may be found at http://specification.sifassociation.org/Implementation/AU/

Because it relies on specgen input, the code generating this package can also be run in other locales using the same input format.

Approach

Like most XML and JSON schemas, SIF contains a large number of highly nested structures, and most of its elements are optional. In order for XML and JSON to be generated reliably, without spurious empty tags, Go relies on the use of pointers to structs and types.

In order to ensure the consistent use of types, without forcing developers to remember to use pointers, the package is highly object oriented, and elements are only accessed via accessor methods.

There is a huge number of types (because of the lack of Go generics when the code was authored -- and lack of time to update it), and their contents can only be inspected in the source code (in order to enforce the use of accessors, struct members are contained in private mirror structs). In order to keep documentation manageable, we summarise the structure of the code here.

Types

sifxml primitive values are of four types: String, Int, Float, and Bool. These are local aliases of the go primitive types string, int, float64, and bool. However, string routinely appears aliased to other types, in order to reflect aliasing in the underlying XML structure, or to enforce codeset restrictions. string aliases representing codesets are termed codesets here. The accessors take care of any necessary type conversions.

All elements contain either primitive values (primitives), nested structures (containers), or lists of either primitives or containers. All objects are containers. Containers and lists both use structs. In order to enforce the use of accessors, struct members are contained in private mirror structs.

Because of the need for pointers to guarantee omitempty behaviour, primitives are realised as pointers to primitive types, containers as pointers to structs (containing hidden structs with the actual struct members), and lists as pointers to structs (containing a hidden struct with a slice of the list elements). The accessors make sure that developers do not need to use any pointers, outside of object declarations.

For example, the following is the definition of the AgggregateCharacteristicInfo object:

type AggregateCharacteristicInfo struct {
        aggregatecharacteristicinfo `xml:"AggregateCharacteristicInfo" json:"AggregateCharacteristicInfo"`
}

type aggregatecharacteristicinfo struct {
        RefId                *RefIdType                `xml:"RefId,attr" json:"RefId"`
        Description          *String                   `xml:"Description,omitempty" json:"Description,omitempty"`
        Definition           *String                   `xml:"Definition" json:"Definition"`
        ElementName          *String                   `xml:"ElementName,omitempty" json:"ElementName,omitempty"`
        LocalCodeList        *LocalCodeListType        `xml:"LocalCodeList,omitempty" json:"LocalCodeList,omitempty"`
        SIF_Metadata         *SIF_MetadataType         `xml:"SIF_Metadata,omitempty" json:"SIF_Metadata,omitempty"`
        SIF_ExtendedElements *SIF_ExtendedElementsType `xml:"SIF_ExtendedElements,omitempty" json:"SIF_ExtendedElements,omitempty"`
}

RefIdType and String are both aliases of string. RefId, Description, Definition, and ElementName are all primitives.

LocalCodeListType is a list:

type LocalCodeListType struct {
        localcodelisttype `xml:"LocalCodeListType" json:"LocalCodeListType"`
}

type localcodelisttype struct {
        LocalCode []LocalCodeType `xml:"LocalCode" json:"LocalCode"`
}

LocalCode, as well as SIF_Metadata and SIF_ExtendedElements, are containers:

type LocalCodeType struct {
	localcodetype `xml:"LocalCodeType" json:"LocalCodeType"`
}

type localcodetype struct {
	LocalisedCode *String `xml:"LocalisedCode" json:"LocalisedCode"`
	Description   *String `xml:"Description,omitempty" json:"Description,omitempty"`
	Element       *String `xml:"Element,omitempty" json:"Element,omitempty"`
	ListIndex     *Int    `xml:"ListIndex,omitempty" json:"ListIndex,omitempty"`
}

For the top level object lists (e.g. StudentPersonals), use the predefined objects rather than creating slices, in order to guarantee correct unmarshalling, particularly in JSON.

In the following definitions, X stands in for an applicable type name.

Objects

sifxml.XSlice: creates a slice of pointers to the object type, and populates the list object with them

func ActivitySlice() *Activitys

String

X.String: Returns string value

func (t *CountryType) String() string

Codeset

Each codeset type X has two associated variables: X_values, a slice of all allowed values of the codeset, and X_map, a map of each allowed codeset value to struct{}{} (used to determine efficiently whether a value is allowed). For example:

type AUCodeSetsWellbeingCharacteristicClassificationType string

var AUCodeSetsWellbeingCharacteristicClassificationType_values = []string{
    "M", "D", "S", "O", "DP",
}

var AUCodeSetsWellbeingCharacteristicClassificationType_map = map[string]struct{}{
    "M":  struct{}{},
    "D":  struct{}{},
    "S":  struct{}{},
    "O":  struct{}{},
    "DP": struct{}{},
}

sifxml.CodesetContains: Uses the codeset map to determine whether a string is allowed for a codeset.

func CodesetContains(codeset map[string]struct{}, value interface{}) bool

Int

X.Int: Returns int value

func (t *Int) Int()

Float

X.Float: Returns float64 value

func (t *Float) Float() float64

Bool

X.Bool: Returns bool value

func (t *Bool) Bool() bool

List

X.Append: Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (t *SIF_MetadataType_TimeElements) Append(value TimeElementType) *SIF_MetadataType_TimeElements

X.AddNew: Appends an empty value to the list. This value can then be populated through accessors on Last().

func (t *SIF_MetadataType_TimeElements) AddNew() *SIF_MetadataType_TimeElements

X.Last: Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (t *SIF_MetadataType_TimeElements) Last()

X.Index: Retrieves the nth value in the list. Raises error if index is out of bounds.

func (t *SIF_MetadataType_TimeElements) Index(n int) (*TimeElementType, error)

X.Len: Length of the list.

func (t *SIF_MetadataType_TimeElements) Len() int

X.AppendString: Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (t *LearningStandardsType) AppendString(value string) *LearningStandardsType

Container

In the following, Y is the name of an element of the container.

X.Y(): Return the element value (as a pointer to the container, list, or primitive representing it).

NOTE: This function creates an empty element value if it is called on a nil element, so that it can be used to populate that element. You should use X.Y_IsNil() to confirm the element is not nil, before calling any functions which should leave it alone if it is nil --- for example, X.Y().Clone()

func (s *NAPWritingRubricType) ScoreList() *ScoreListType

X.Y_IsNil(): Returns whether the element value is nil in that container.

func (s *NAPWritingRubricType) ScoreList_IsNil() bool

X.Unset: Set the value of a property to nil

func (n *NAPWritingRubricType) Unset(key string) *NAPWritingRubricType

X.SetProperty: Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (n *NAPWritingRubricType) SetProperty(key string, value interface{}) *NAPWritingRubricType

X.SetProperties: Set a sequence of properties

func (n *NAPWritingRubricType) SetProperties(props ...Prop) *NAPWritingRubricType

All Types

X.Clone(): Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (t *MediumOfInstructionType) Clone() (*MediumOfInstructionType)

sifxml.XPointer: Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X. In the case of aliased types, accepts primitive values and converts them to the required alias. Also deals with both Float32 and Float64 values.

func MediumOfInstructionTypePointer(value interface{}) (*MediumOfInstructionType, bool)

Index

Constants

This section is empty.

Variables

View Source
var AUCodeSets0211ProgramAvailabilityType_map = map[string]struct{}{"0236": struct{}{}, "0235": struct{}{}, "0231": struct{}{}, "0239": struct{}{}, "0238": struct{}{}, "9999": struct{}{}, "9998": struct{}{}, "0237": struct{}{}, "0234": struct{}{}}
View Source
var AUCodeSets0211ProgramAvailabilityType_values = []string{"0236", "0235", "0231", "0239", "0238", "9999", "9998", "0237", "0234"}
View Source
var AUCodeSets0792IdentificationProcedureType_map = map[string]struct{}{"2147": struct{}{}, "2148": struct{}{}, "9999": struct{}{}, "2149": struct{}{}, "2151": struct{}{}, "2152": struct{}{}, "2153": struct{}{}}
View Source
var AUCodeSets0792IdentificationProcedureType_values = []string{"2147", "2148", "9999", "2149", "2151", "2152", "2153"}
View Source
var AUCodeSetsACStrandType_map = map[string]struct{}{"A": struct{}{}, "B": struct{}{}, "C": struct{}{}, "D": struct{}{}, "E": struct{}{}, "G": struct{}{}, "H": struct{}{}, "I": struct{}{}, "L": struct{}{}, "M": struct{}{}, "P": struct{}{}, "S": struct{}{}, "U": struct{}{}, "T": struct{}{}, "W": struct{}{}, "ReligousStudies": struct{}{}, "Other": struct{}{}}
View Source
var AUCodeSetsACStrandType_values = []string{"A", "B", "C", "D", "E", "G", "H", "I", "L", "M", "P", "S", "U", "T", "W", "ReligousStudies", "Other"}
View Source
var AUCodeSetsAGCollectionType_map = map[string]struct{}{"SES": struct{}{}, "FQ": struct{}{}, "COI": struct{}{}, "STATS": struct{}{}}
View Source
var AUCodeSetsAGCollectionType_values = []string{"SES", "FQ", "COI", "STATS"}
View Source
var AUCodeSetsAGContextQuestionType_map = map[string]struct{}{"AC001": struct{}{}, "AC002": struct{}{}}
View Source
var AUCodeSetsAGContextQuestionType_values = []string{"AC001", "AC002"}
View Source
var AUCodeSetsAGSubmissionStatusType_map = map[string]struct{}{"Not Started": struct{}{}, "In Progress": struct{}{}, "Declaration Pending": struct{}{}, "Declared": struct{}{}, "In Review": struct{}{}, "Exempt": struct{}{}, "Finalised": struct{}{}, "Reopened": struct{}{}, "Processing": struct{}{}, "In Error": struct{}{}, "Cancelled": struct{}{}}
View Source
var AUCodeSetsAGSubmissionStatusType_values = []string{"Not Started", "In Progress", "Declaration Pending", "Declared", "In Review", "Exempt", "Finalised", "Reopened", "Processing", "In Error", "Cancelled"}
View Source
var AUCodeSetsAccompanimentType_map = map[string]struct{}{"A": struct{}{}, "I": struct{}{}, "U": struct{}{}}
View Source
var AUCodeSetsAccompanimentType_values = []string{"A", "I", "U"}
View Source
var AUCodeSetsActivityInvolvementCodeType_map = map[string]struct{}{} /* 303 elements not displayed */
View Source
var AUCodeSetsActivityInvolvementCodeType_values = []string{} /* 303 elements not displayed */
View Source
var AUCodeSetsActivityTypeType_map = map[string]struct{}{"0750": struct{}{}, "0751": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsActivityTypeType_values = []string{"0750", "0751", "9999"}
View Source
var AUCodeSetsAddressRoleType_map = map[string]struct{}{"012A": struct{}{}, "012B": struct{}{}, "012C": struct{}{}, "013A": struct{}{}, "1073": struct{}{}, "1074": struct{}{}, "1075": struct{}{}, "2382": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsAddressRoleType_values = []string{"012A", "012B", "012C", "013A", "1073", "1074", "1075", "2382", "9999"}
View Source
var AUCodeSetsAddressTypeType_map = map[string]struct{}{"0123": struct{}{}, "0123A": struct{}{}, "0124": struct{}{}, "0124A": struct{}{}, "0125": struct{}{}, "0765": struct{}{}, "0765A": struct{}{}, "9999": struct{}{}, "9999A": struct{}{}}
View Source
var AUCodeSetsAddressTypeType_values = []string{"0123", "0123A", "0124", "0124A", "0125", "0765", "0765A", "9999", "9999A"}
View Source
var AUCodeSetsAssessmentReportingMethodType_map = map[string]struct{}{"0512": struct{}{}, "0490": struct{}{}, "0492": struct{}{}, "0493": struct{}{}, "3473": struct{}{}, "3474": struct{}{}, "3475": struct{}{}, "0144": struct{}{}, "0513": struct{}{}, "0497": struct{}{}, "0498": struct{}{}, "0499": struct{}{}, "9999": struct{}{}, "0500": struct{}{}, "3476": struct{}{}, "0502": struct{}{}, "0503": struct{}{}, "0504": struct{}{}, "3478": struct{}{}, "3479": struct{}{}, "0506": struct{}{}, "3480": struct{}{}}
View Source
var AUCodeSetsAssessmentReportingMethodType_values = []string{"0512", "0490", "0492", "0493", "3473", "3474", "3475", "0144", "0513", "0497", "0498", "0499", "9999", "0500", "3476", "0502", "0503", "0504", "3478", "3479", "0506", "3480"}
View Source
var AUCodeSetsAssessmentTypeType_map = map[string]struct{}{"0075": struct{}{}, "0076": struct{}{}, "3462": struct{}{}, "0077": struct{}{}, "3461": struct{}{}, "3463": struct{}{}, "0079": struct{}{}, "0081": struct{}{}, "0082": struct{}{}, "0083": struct{}{}, "0084": struct{}{}, "0087": struct{}{}, "0088": struct{}{}, "9999": struct{}{}, "0089": struct{}{}, "0090": struct{}{}, "0092": struct{}{}, "0093": struct{}{}, "0094": struct{}{}, "0095": struct{}{}}
View Source
var AUCodeSetsAssessmentTypeType_values = []string{"0075", "0076", "3462", "0077", "3461", "3463", "0079", "0081", "0082", "0083", "0084", "0087", "0088", "9999", "0089", "0090", "0092", "0093", "0094", "0095"}
View Source
var AUCodeSetsAttendanceCodeType_map = map[string]struct{}{"0": struct{}{}, "100": struct{}{}, "101": struct{}{}, "102": struct{}{}, "111": struct{}{}, "112": struct{}{}, "113": struct{}{}, "114": struct{}{}, "116": struct{}{}, "117": struct{}{}, "118": struct{}{}, "119": struct{}{}, "120": struct{}{}, "200": struct{}{}, "201": struct{}{}, "202": struct{}{}, "203": struct{}{}, "204": struct{}{}, "205": struct{}{}, "206": struct{}{}, "207": struct{}{}, "208": struct{}{}, "209": struct{}{}, "210": struct{}{}, "211": struct{}{}, "212": struct{}{}, "213": struct{}{}, "214": struct{}{}, "300": struct{}{}, "400": struct{}{}, "401": struct{}{}, "500": struct{}{}, "501": struct{}{}, "600": struct{}{}, "601": struct{}{}, "602": struct{}{}, "603": struct{}{}, "604": struct{}{}, "605": struct{}{}, "606": struct{}{}, "607": struct{}{}, "608": struct{}{}, "609": struct{}{}, "610": struct{}{}, "611": struct{}{}, "612": struct{}{}, "613": struct{}{}, "614": struct{}{}, "615": struct{}{}, "616": struct{}{}, "617": struct{}{}, "618": struct{}{}, "619": struct{}{}, "620": struct{}{}, "621": struct{}{}, "622": struct{}{}, "623": struct{}{}, "624": struct{}{}, "625": struct{}{}, "626": struct{}{}, "627": struct{}{}, "699": struct{}{}, "700": struct{}{}, "701": struct{}{}, "702": struct{}{}, "800": struct{}{}, "801": struct{}{}, "802": struct{}{}, "803": struct{}{}, "804": struct{}{}, "805": struct{}{}, "806": struct{}{}, "900": struct{}{}, "901": struct{}{}, "902": struct{}{}, "903": struct{}{}, "904": struct{}{}, "905": struct{}{}, "999": struct{}{}}
View Source
var AUCodeSetsAttendanceCodeType_values = []string{"0", "100", "101", "102", "111", "112", "113", "114", "116", "117", "118", "119", "120", "200", "201", "202", "203", "204", "205", "206", "207", "208", "209", "210", "211", "212", "213", "214", "300", "400", "401", "500", "501", "600", "601", "602", "603", "604", "605", "606", "607", "608", "609", "610", "611", "612", "613", "614", "615", "616", "617", "618", "619", "620", "621", "622", "623", "624", "625", "626", "627", "699", "700", "701", "702", "800", "801", "802", "803", "804", "805", "806", "900", "901", "902", "903", "904", "905", "999"}
View Source
var AUCodeSetsAttendanceStatusType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "99": struct{}{}, "NA": struct{}{}}
View Source
var AUCodeSetsAttendanceStatusType_values = []string{"01", "02", "99", "NA"}
View Source
var AUCodeSetsAustralianCitizenshipStatusType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "8": struct{}{}, "X": struct{}{}}
View Source
var AUCodeSetsAustralianCitizenshipStatusType_values = []string{"1", "2", "3", "4", "5", "8", "X"}
View Source
var AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType_map = map[string]struct{}{} /* 321 elements not displayed */
View Source
var AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType_values = []string{} /* 321 elements not displayed */
View Source
var AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType_map = map[string]struct{}{} /* 504 elements not displayed */
View Source
var AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType_values = []string{} /* 504 elements not displayed */
View Source
var AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType_map = map[string]struct{}{} /* 137 elements not displayed */
View Source
var AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType_values = []string{} /* 137 elements not displayed */
View Source
var AUCodeSetsAustralianTimeZoneType_map = map[string]struct{}{"ACDT": struct{}{}, "ACST": struct{}{}, "ACT": struct{}{}, "ACWST": struct{}{}, "AEDT": struct{}{}, "AEST": struct{}{}, "AET": struct{}{}, "AWDT": struct{}{}, "AWST": struct{}{}, "CXT": struct{}{}, "LHDT": struct{}{}, "LHST": struct{}{}, "NFT": struct{}{}, "Other": struct{}{}}
View Source
var AUCodeSetsAustralianTimeZoneType_values = []string{"ACDT", "ACST", "ACT", "ACWST", "AEDT", "AEST", "AET", "AWDT", "AWST", "CXT", "LHDT", "LHST", "NFT", "Other"}
View Source
var AUCodeSetsBirthdateVerificationType_map = map[string]struct{}{"1004": struct{}{}, "1006": struct{}{}, "1008": struct{}{}, "1009": struct{}{}, "1010": struct{}{}, "1011": struct{}{}, "1012": struct{}{}, "1013": struct{}{}, "3423": struct{}{}, "3424": struct{}{}, "9999": struct{}{}, "N": struct{}{}, "Y": struct{}{}}
View Source
var AUCodeSetsBirthdateVerificationType_values = []string{"1004", "1006", "1008", "1009", "1010", "1011", "1012", "1013", "3423", "3424", "9999", "N", "Y"}
View Source
var AUCodeSetsBoardingType_map = map[string]struct{}{"B": struct{}{}, "D": struct{}{}}
View Source
var AUCodeSetsBoardingType_values = []string{"B", "D"}
View Source
var AUCodeSetsCalendarEventType_map = map[string]struct{}{"0845": struct{}{}, "0846": struct{}{}, "0848": struct{}{}, "0849": struct{}{}, "3421": struct{}{}, "9999": struct{}{}, "INST": struct{}{}, "MKUP": struct{}{}, "WEAT": struct{}{}, "POUT": struct{}{}, "FDAM": struct{}{}, "RELI": struct{}{}, "INAW": struct{}{}}
View Source
var AUCodeSetsCalendarEventType_values = []string{"0845", "0846", "0848", "0849", "3421", "9999", "INST", "MKUP", "WEAT", "POUT", "FDAM", "RELI", "INAW"}
View Source
var AUCodeSetsContactMethodType_map = map[string]struct{}{"Mailing": struct{}{}, "AltMailing": struct{}{}, "Email": struct{}{}, "Phone": struct{}{}, "ParentPortal": struct{}{}}
View Source
var AUCodeSetsContactMethodType_values = []string{"Mailing", "AltMailing", "Email", "Phone", "ParentPortal"}
View Source
var AUCodeSetsDayValueCodeType_map = map[string]struct{}{"AM": struct{}{}, "Full": struct{}{}, "N/A": struct{}{}, "Partial": struct{}{}, "PM": struct{}{}}
View Source
var AUCodeSetsDayValueCodeType_values = []string{"AM", "Full", "N/A", "Partial", "PM"}
View Source
var AUCodeSetsDetentionCategoryType_map = map[string]struct{}{"B": struct{}{}, "R": struct{}{}, "MR": struct{}{}, "AR": struct{}{}, "A": struct{}{}, "L": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsDetentionCategoryType_values = []string{"B", "R", "MR", "AR", "A", "L", "O"}
View Source
var AUCodeSetsDwellingArrangementType_map = map[string]struct{}{"1669": struct{}{}, "1670": struct{}{}, "1671": struct{}{}, "1672": struct{}{}, "1673": struct{}{}, "1674": struct{}{}, "1675": struct{}{}, "1676": struct{}{}, "1677": struct{}{}, "1678": struct{}{}, "1679": struct{}{}, "167I": struct{}{}, "167o": struct{}{}, "1680": struct{}{}, "1681": struct{}{}, "168A": struct{}{}, "3425": struct{}{}, "4000": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsDwellingArrangementType_values = []string{"1669", "1670", "1671", "1672", "1673", "1674", "1675", "1676", "1677", "1678", "1679", "167I", "167o", "1680", "1681", "168A", "3425", "4000", "9999"}
View Source
var AUCodeSetsEducationAgencyTypeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "99": struct{}{}}
View Source
var AUCodeSetsEducationAgencyTypeType_values = []string{"01", "02", "03", "99"}
View Source
var AUCodeSetsEducationLevelType_map = map[string]struct{}{"Primary": struct{}{}, "Secondary": struct{}{}, "Combined": struct{}{}}
View Source
var AUCodeSetsEducationLevelType_values = []string{"Primary", "Secondary", "Combined"}
View Source
var AUCodeSetsElectronicIdTypeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "04": struct{}{}}
View Source
var AUCodeSetsElectronicIdTypeType_values = []string{"01", "02", "03", "04"}
View Source
var AUCodeSetsEmailTypeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "04": struct{}{}, "05": struct{}{}, "06": struct{}{}, "07": struct{}{}}
View Source
var AUCodeSetsEmailTypeType_values = []string{"01", "02", "03", "04", "05", "06", "07"}
View Source
var AUCodeSetsEmploymentTypeType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "8": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsEmploymentTypeType_values = []string{"1", "2", "3", "4", "8", "9"}
View Source
var AUCodeSetsEnglishProficiencyType_map = map[string]struct{}{"0": struct{}{}, "1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsEnglishProficiencyType_values = []string{"0", "1", "2", "3", "4", "9"}
View Source
var AUCodeSetsEnrollmentTimeFrameType_map = map[string]struct{}{"C": struct{}{}, "F": struct{}{}, "H": struct{}{}}
View Source
var AUCodeSetsEnrollmentTimeFrameType_values = []string{"C", "F", "H"}
View Source
var AUCodeSetsEntryTypeType_map = map[string]struct{}{"1821": struct{}{}, "1822": struct{}{}, "1823": struct{}{}, "1824": struct{}{}, "1825": struct{}{}, "1826": struct{}{}, "1827": struct{}{}, "1828": struct{}{}, "1829": struct{}{}, "1830": struct{}{}, "1831": struct{}{}, "1833": struct{}{}, "0997": struct{}{}, "1835": struct{}{}, "1836": struct{}{}, "1837": struct{}{}, "1838": struct{}{}, "1839": struct{}{}, "1840": struct{}{}, "1841": struct{}{}, "0998": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsEntryTypeType_values = []string{"1821", "1822", "1823", "1824", "1825", "1826", "1827", "1828", "1829", "1830", "1831", "1833", "0997", "1835", "1836", "1837", "1838", "1839", "1840", "1841", "0998", "9999"}
View Source
var AUCodeSetsEquipmentTypeType_map = map[string]struct{}{"DesktopComputer": struct{}{}, "LaptopComputer": struct{}{}, "Tablet": struct{}{}, "OverheadProjector": struct{}{}, "SlideProjector": struct{}{}, "Vehicle": struct{}{}, "Other": struct{}{}}
View Source
var AUCodeSetsEquipmentTypeType_values = []string{"DesktopComputer", "LaptopComputer", "Tablet", "OverheadProjector", "SlideProjector", "Vehicle", "Other"}
View Source
var AUCodeSetsEventCategoryType_map = map[string]struct{}{"B1": struct{}{}, "B2": struct{}{}, "B3": struct{}{}, "B4": struct{}{}, "B5": struct{}{}, "B6": struct{}{}, "B7": struct{}{}, "B8": struct{}{}, "B9": struct{}{}, "M1": struct{}{}, "M2": struct{}{}, "M3": struct{}{}, "M4": struct{}{}, "M5": struct{}{}, "M6": struct{}{}, "M7": struct{}{}, "M8": struct{}{}, "M9": struct{}{}, "99": struct{}{}}
View Source
var AUCodeSetsEventCategoryType_values = []string{"B1", "B2", "B3", "B4", "B5", "B6", "B7", "B8", "B9", "M1", "M2", "M3", "M4", "M5", "M6", "M7", "M8", "M9", "99"}
View Source
var AUCodeSetsEventSubCategoryType_map = map[string]struct{}{} /* 178 elements not displayed */
View Source
var AUCodeSetsEventSubCategoryType_values = []string{} /* 178 elements not displayed */
View Source
var AUCodeSetsExitWithdrawalStatusType_map = map[string]struct{}{"1905": struct{}{}, "1906": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsExitWithdrawalStatusType_values = []string{"1905", "1906", "9999"}
View Source
var AUCodeSetsExitWithdrawalTypeType_map = map[string]struct{}{"1907": struct{}{}, "1908": struct{}{}, "1909": struct{}{}, "1910": struct{}{}, "1911": struct{}{}, "1912": struct{}{}, "1913": struct{}{}, "1914": struct{}{}, "1915": struct{}{}, "1916": struct{}{}, "1917": struct{}{}, "1918": struct{}{}, "1919": struct{}{}, "1921": struct{}{}, "1922": struct{}{}, "1923": struct{}{}, "1924": struct{}{}, "1925": struct{}{}, "1926": struct{}{}, "1927": struct{}{}, "1928": struct{}{}, "1930": struct{}{}, "1931": struct{}{}, "1940": struct{}{}, "1941": struct{}{}, "3499": struct{}{}, "3500": struct{}{}, "3501": struct{}{}, "3502": struct{}{}, "3503": struct{}{}, "3504": struct{}{}, "3505": struct{}{}, "3509": struct{}{}, "9998": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsExitWithdrawalTypeType_values = []string{"1907", "1908", "1909", "1910", "1911", "1912", "1913", "1914", "1915", "1916", "1917", "1918", "1919", "1921", "1922", "1923", "1924", "1925", "1926", "1927", "1928", "1930", "1931", "1940", "1941", "3499", "3500", "3501", "3502", "3503", "3504", "3505", "3509", "9998", "9999"}
View Source
var AUCodeSetsFFPOSStatusCodeType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsFFPOSStatusCodeType_values = []string{"1", "2", "9"}
View Source
var AUCodeSetsFTPTStatusCodeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsFTPTStatusCodeType_values = []string{"01", "02", "9"}
View Source
var AUCodeSetsFederalElectorateType_map = map[string]struct{}{} /* 172 elements not displayed */
View Source
var AUCodeSetsFederalElectorateType_values = []string{} /* 172 elements not displayed */
View Source
var AUCodeSetsGroupCategoryCodeType_map = map[string]struct{}{"PastoralGroup": struct{}{}, "MentorGroup": struct{}{}, "RollGroup": struct{}{}, "AfterSchoolGroup": struct{}{}, "OtherGroup": struct{}{}}
View Source
var AUCodeSetsGroupCategoryCodeType_values = []string{"PastoralGroup", "MentorGroup", "RollGroup", "AfterSchoolGroup", "OtherGroup"}
View Source
var AUCodeSetsImmunisationCertificateStatusType_map = map[string]struct{}{"C": struct{}{}, "I": struct{}{}, "IU": struct{}{}, "IN": struct{}{}, "IM": struct{}{}, "IO": struct{}{}, "N": struct{}{}}
View Source
var AUCodeSetsImmunisationCertificateStatusType_values = []string{"C", "I", "IU", "IN", "IM", "IO", "N"}
View Source
var AUCodeSetsIndigenousStatusType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsIndigenousStatusType_values = []string{"1", "2", "3", "4", "9"}
View Source
var AUCodeSetsLanguageTypeType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "6": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsLanguageTypeType_values = []string{"1", "2", "3", "4", "5", "6", "9"}
View Source
var AUCodeSetsLearningStandardItemRelationshipTypesType_map = map[string]struct{}{"Content": struct{}{}, "Other": struct{}{}, "PD": struct{}{}, "State": struct{}{}}
View Source
var AUCodeSetsLearningStandardItemRelationshipTypesType_values = []string{"Content", "Other", "PD", "State"}
View Source
var AUCodeSetsMaritalStatusAIHWType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "6": struct{}{}}
View Source
var AUCodeSetsMaritalStatusAIHWType_values = []string{"1", "2", "3", "4", "5", "6"}
View Source
var AUCodeSetsMediumOfInstructionType_map = map[string]struct{}{"0603": struct{}{}, "0604": struct{}{}, "0605": struct{}{}, "0608": struct{}{}, "0609": struct{}{}, "0610": struct{}{}, "0611": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsMediumOfInstructionType_values = []string{"0603", "0604", "0605", "0608", "0609", "0610", "0611", "9999"}
View Source
var AUCodeSetsNAPJurisdictionType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "6": struct{}{}, "7": struct{}{}, "8": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsNAPJurisdictionType_values = []string{"1", "2", "3", "4", "5", "6", "7", "8", "9"}
View Source
var AUCodeSetsNAPParticipationCodeType_map = map[string]struct{}{"P": struct{}{}, "A": struct{}{}, "C": struct{}{}, "E": struct{}{}, "W": struct{}{}, "S": struct{}{}, "R": struct{}{}, "X": struct{}{}, "F": struct{}{}}
View Source
var AUCodeSetsNAPParticipationCodeType_values = []string{"P", "A", "C", "E", "W", "S", "R", "X", "F"}
View Source
var AUCodeSetsNAPResponseCorrectnessType_map = map[string]struct{}{"Correct": struct{}{}, "Incorrect": struct{}{}, "NotInPath": struct{}{}, "NotAttempted": struct{}{}}
View Source
var AUCodeSetsNAPResponseCorrectnessType_values = []string{"Correct", "Incorrect", "NotInPath", "NotAttempted"}
View Source
var AUCodeSetsNAPTestDomainType_map = map[string]struct{}{"Reading": struct{}{}, "Writing": struct{}{}, "Numeracy": struct{}{}, "Spelling": struct{}{}, "Grammar and Punctuation": struct{}{}}
View Source
var AUCodeSetsNAPTestDomainType_values = []string{"Reading", "Writing", "Numeracy", "Spelling", "Grammar and Punctuation"}
View Source
var AUCodeSetsNAPTestItemMarkingTypeType_map = map[string]struct{}{"AS": struct{}{}, "MM": struct{}{}, "AES": struct{}{}}
View Source
var AUCodeSetsNAPTestItemMarkingTypeType_values = []string{"AS", "MM", "AES"}
View Source
var AUCodeSetsNAPTestItemTypeType_map = map[string]struct{}{"ET": struct{}{}, "COMP": struct{}{}, "HS": struct{}{}, "TS": struct{}{}, "IA": struct{}{}, "IC": struct{}{}, "IGA": struct{}{}, "IGGM": struct{}{}, "IGM": struct{}{}, "IGO": struct{}{}, "IM": struct{}{}, "IO": struct{}{}, "MC": struct{}{}, "MCS": struct{}{}, "PO": struct{}{}, "SL": struct{}{}, "SP": struct{}{}, "TE": struct{}{}, "Unknown": struct{}{}}
View Source
var AUCodeSetsNAPTestItemTypeType_values = []string{"ET", "COMP", "HS", "TS", "IA", "IC", "IGA", "IGGM", "IGM", "IGO", "IM", "IO", "MC", "MCS", "PO", "SL", "SP", "TE", "Unknown"}
View Source
var AUCodeSetsNAPTestTypeType_map = map[string]struct{}{"Normal": struct{}{}, "Equating": struct{}{}}
View Source
var AUCodeSetsNAPTestTypeType_values = []string{"Normal", "Equating"}
View Source
var AUCodeSetsNAPWritingGenreType_map = map[string]struct{}{"Persuasive": struct{}{}, "Narrative": struct{}{}}
View Source
var AUCodeSetsNAPWritingGenreType_values = []string{"Persuasive", "Narrative"}
View Source
var AUCodeSetsNCCDAdjustmentType_map = map[string]struct{}{"QDTP": struct{}{}, "Supplementary": struct{}{}, "Substantial": struct{}{}, "Extensive": struct{}{}, "None": struct{}{}}
View Source
var AUCodeSetsNCCDAdjustmentType_values = []string{"QDTP", "Supplementary", "Substantial", "Extensive", "None"}
View Source
var AUCodeSetsNCCDDisabilityType_map = map[string]struct{}{"Physical": struct{}{}, "Cognitive": struct{}{}, "Sensory": struct{}{}, "Social-Emotional": struct{}{}, "None": struct{}{}}
View Source
var AUCodeSetsNCCDDisabilityType_values = []string{"Physical", "Cognitive", "Sensory", "Social-Emotional", "None"}
View Source
var AUCodeSetsNameUsageTypeType_map = map[string]struct{}{"AKA": struct{}{}, "BTH ": struct{}{}, "LGL": struct{}{}, "MDN": struct{}{}, "NEW": struct{}{}, "OTH": struct{}{}, "PRF": struct{}{}, "PRV": struct{}{}, "STG": struct{}{}, "TRB": struct{}{}, "PBN": struct{}{}}
View Source
var AUCodeSetsNameUsageTypeType_values = []string{"AKA", "BTH ", "LGL", "MDN", "NEW", "OTH", "PRF", "PRV", "STG", "TRB", "PBN"}
View Source
var AUCodeSetsNonSchoolEducationType_map = map[string]struct{}{"0": struct{}{}, "5": struct{}{}, "6": struct{}{}, "7": struct{}{}, "8": struct{}{}}
View Source
var AUCodeSetsNonSchoolEducationType_values = []string{"0", "5", "6", "7", "8"}
View Source
var AUCodeSetsOperationalStatusType_map = map[string]struct{}{"B": struct{}{}, "C": struct{}{}, "O": struct{}{}, "P": struct{}{}, "S": struct{}{}, "U": struct{}{}}
View Source
var AUCodeSetsOperationalStatusType_values = []string{"B", "C", "O", "P", "S", "U"}
View Source
var AUCodeSetsPNPCodeType_map = map[string]struct{}{"AIA": struct{}{}, "AIM": struct{}{}, "AIV": struct{}{}, "AST": struct{}{}, "AAM": struct{}{}, "AVM": struct{}{}, "ALL": struct{}{}, "BNB": struct{}{}, "BNG": struct{}{}, "BNL": struct{}{}, "BNW": struct{}{}, "BNY": struct{}{}, "COL": struct{}{}, "OFF": struct{}{}, "ETA": struct{}{}, "ETB": struct{}{}, "ETC": struct{}{}, "OSS": struct{}{}, "RBK": struct{}{}, "SCR": struct{}{}, "SUP": struct{}{}, "ETD": struct{}{}, "CAL": struct{}{}, "ENZ": struct{}{}, "EST": struct{}{}, "LFS": struct{}{}, "RZL": struct{}{}, "ZOF": struct{}{}, "ZTFAO": struct{}{}}
View Source
var AUCodeSetsPNPCodeType_values = []string{"AIA", "AIM", "AIV", "AST", "AAM", "AVM", "ALL", "BNB", "BNG", "BNL", "BNW", "BNY", "COL", "OFF", "ETA", "ETB", "ETC", "OSS", "RBK", "SCR", "SUP", "ETD", "CAL", "ENZ", "EST", "LFS", "RZL", "ZOF", "ZTFAO"}
View Source
var AUCodeSetsPermanentResidentStatusType_map = map[string]struct{}{"99": struct{}{}, "N": struct{}{}, "P": struct{}{}, "T": struct{}{}}
View Source
var AUCodeSetsPermanentResidentStatusType_values = []string{"99", "N", "P", "T"}
View Source
var AUCodeSetsPermissionCategoryCodeType_map = map[string]struct{}{"OKPrintedMaterial": struct{}{}, "OKOnlineMaterial": struct{}{}, "OKMediaRelease": struct{}{}, "School/College Newsletter": struct{}{}, "School/College Yearbook": struct{}{}, "Jurisdiction Promotional": struct{}{}, "Jurisdiction Educational": struct{}{}, "OKPublishInfo": struct{}{}, "OKOnLineServices": struct{}{}}
View Source
var AUCodeSetsPermissionCategoryCodeType_values = []string{"OKPrintedMaterial", "OKOnlineMaterial", "OKMediaRelease", "School/College Newsletter", "School/College Yearbook", "Jurisdiction Promotional", "Jurisdiction Educational", "OKPublishInfo", "OKOnLineServices"}
View Source
var AUCodeSetsPersonalisedPlanType_map = map[string]struct{}{"M": struct{}{}, "At": struct{}{}, "Ac": struct{}{}, "B": struct{}{}, "S": struct{}{}, "L": struct{}{}, "O": struct{}{}, "W": struct{}{}, "R": struct{}{}}
View Source
var AUCodeSetsPersonalisedPlanType_values = []string{"M", "At", "Ac", "B", "S", "L", "O", "W", "R"}
View Source
var AUCodeSetsPictureSourceType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "04": struct{}{}, "05": struct{}{}, "06": struct{}{}, "09": struct{}{}, "10": struct{}{}}
View Source
var AUCodeSetsPictureSourceType_values = []string{"01", "02", "03", "04", "05", "06", "09", "10"}
View Source
var AUCodeSetsPrePrimaryHoursType_map = map[string]struct{}{"U": struct{}{}, "O": struct{}{}, "P": struct{}{}, "F": struct{}{}}
View Source
var AUCodeSetsPrePrimaryHoursType_values = []string{"U", "O", "P", "F"}
View Source
var AUCodeSetsProgramFundingSourceCodeType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsProgramFundingSourceCodeType_values = []string{"1", "2", "3", "4", "5", "9"}
View Source
var AUCodeSetsProgressLevelType_map = map[string]struct{}{"Below": struct{}{}, "At": struct{}{}, "Above": struct{}{}}
View Source
var AUCodeSetsProgressLevelType_values = []string{"Below", "At", "Above"}
View Source
var AUCodeSetsPublicSchoolCatchmentStatusType_map = map[string]struct{}{"1652": struct{}{}, "1653": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsPublicSchoolCatchmentStatusType_values = []string{"1652", "1653", "9999"}
View Source
var AUCodeSetsReceivingLocationOfInstructionType_map = map[string]struct{}{"0340": struct{}{}, "0341": struct{}{}, "0342": struct{}{}, "0752": struct{}{}, "0754": struct{}{}, "0997": struct{}{}, "2192": struct{}{}, "3018": struct{}{}, "3506": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsReceivingLocationOfInstructionType_values = []string{"0340", "0341", "0342", "0752", "0754", "0997", "2192", "3018", "3506", "9999"}
View Source
var AUCodeSetsRelationshipToStudentType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "04": struct{}{}, "05": struct{}{}, "06": struct{}{}, "07": struct{}{}, "08": struct{}{}, "09": struct{}{}, "10": struct{}{}, "11": struct{}{}, "12": struct{}{}, "13": struct{}{}, "14": struct{}{}, "00": struct{}{}, "32": struct{}{}, "31": struct{}{}, "30": struct{}{}, "20": struct{}{}, "40": struct{}{}, "99": struct{}{}}
View Source
var AUCodeSetsRelationshipToStudentType_values = []string{"01", "02", "03", "04", "05", "06", "07", "08", "09", "10", "11", "12", "13", "14", "00", "32", "31", "30", "20", "40", "99"}
View Source
var AUCodeSetsResourceUsageContentTypeType_map = map[string]struct{}{"01": struct{}{}, "09": struct{}{}}
View Source
var AUCodeSetsResourceUsageContentTypeType_values = []string{"01", "09"}
View Source
var AUCodeSetsScheduledActivityTypeType_map = map[string]struct{}{"Duty": struct{}{}, "TeachingClass": struct{}{}, "Study": struct{}{}, "RollClass": struct{}{}, "RosteredTimeOff": struct{}{}, "StaffMeeting": struct{}{}, "ExtraCurricular": struct{}{}, "Excursion": struct{}{}, "Incursion": struct{}{}, "Exam": struct{}{}, "Event": struct{}{}}
View Source
var AUCodeSetsScheduledActivityTypeType_values = []string{"Duty", "TeachingClass", "Study", "RollClass", "RosteredTimeOff", "StaffMeeting", "ExtraCurricular", "Excursion", "Incursion", "Exam", "Event"}
View Source
var AUCodeSetsSchoolCoEdStatusType_map = map[string]struct{}{"C": struct{}{}, "F": struct{}{}, "M": struct{}{}}
View Source
var AUCodeSetsSchoolCoEdStatusType_values = []string{"C", "F", "M"}
View Source
var AUCodeSetsSchoolEducationLevelTypeType_map = map[string]struct{}{"0": struct{}{}, "1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}}
View Source
var AUCodeSetsSchoolEducationLevelTypeType_values = []string{"0", "1", "2", "3", "4"}
View Source
var AUCodeSetsSchoolEnrollmentTypeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}}
View Source
var AUCodeSetsSchoolEnrollmentTypeType_values = []string{"01", "02", "03"}
View Source
var AUCodeSetsSchoolFocusCodeType_map = map[string]struct{}{"01": struct{}{}, "02": struct{}{}, "03": struct{}{}, "04": struct{}{}, "98": struct{}{}, "99": struct{}{}}
View Source
var AUCodeSetsSchoolFocusCodeType_values = []string{"01", "02", "03", "04", "98", "99"}
View Source
var AUCodeSetsSchoolLevelType_map = map[string]struct{}{"Camp": struct{}{}, "Commty": struct{}{}, "EarlyCh": struct{}{}, "JunPri": struct{}{}, "Kgarten": struct{}{}, "Kind": struct{}{}, "Lang": struct{}{}, "MCH": struct{}{}, "Middle": struct{}{}, "Other": struct{}{}, "PreSch": struct{}{}, "Pri/Sec": struct{}{}, "Spec/P-12": struct{}{}, "Spec/Pri": struct{}{}, "Spec/Sec": struct{}{}, "SpecialAssisstance": struct{}{}, "Prim": struct{}{}, "Sec": struct{}{}, "Senior": struct{}{}, "Special": struct{}{}, "Specif": struct{}{}, "Supp": struct{}{}, "Unknown": struct{}{}}
View Source
var AUCodeSetsSchoolLevelType_values = []string{"Camp", "Commty", "EarlyCh", "JunPri", "Kgarten", "Kind", "Lang", "MCH", "Middle", "Other", "PreSch", "Pri/Sec", "Spec/P-12", "Spec/Pri", "Spec/Sec", "SpecialAssisstance", "Prim", "Sec", "Senior", "Special", "Specif", "Supp", "Unknown"}
View Source
var AUCodeSetsSchoolLocationType_map = map[string]struct{}{"10": struct{}{}, "11": struct{}{}, "12": struct{}{}, "13": struct{}{}, "14": struct{}{}, "15": struct{}{}, "19": struct{}{}, "20": struct{}{}, "21": struct{}{}, "22": struct{}{}, "23": struct{}{}, "25": struct{}{}, "29": struct{}{}, "30": struct{}{}, "31": struct{}{}, "32": struct{}{}, "33": struct{}{}, "34": struct{}{}, "35": struct{}{}, "39": struct{}{}, "40": struct{}{}, "41": struct{}{}, "42": struct{}{}, "43": struct{}{}, "44": struct{}{}, "45": struct{}{}, "49": struct{}{}, "50": struct{}{}, "51": struct{}{}, "52": struct{}{}, "53": struct{}{}, "54": struct{}{}, "55": struct{}{}, "59": struct{}{}, "61": struct{}{}, "62": struct{}{}, "63": struct{}{}, "64": struct{}{}, "65": struct{}{}, "69": struct{}{}, "72": struct{}{}, "73": struct{}{}, "74": struct{}{}, "75": struct{}{}, "79": struct{}{}, "80": struct{}{}, "81": struct{}{}, "85": struct{}{}, "89": struct{}{}, "91": struct{}{}, "94": struct{}{}, "95": struct{}{}, "99": struct{}{}, "1": struct{}{}, "1.1": struct{}{}, "1.2": struct{}{}, "2": struct{}{}, "2.1.1": struct{}{}, "2.1.2": struct{}{}, "2.2.1": struct{}{}, "2.2.2": struct{}{}, "3": struct{}{}, "3.1": struct{}{}, "3.2": struct{}{}, "REDACTED": struct{}{}}
View Source
var AUCodeSetsSchoolLocationType_values = []string{"10", "11", "12", "13", "14", "15", "19", "20", "21", "22", "23", "25", "29", "30", "31", "32", "33", "34", "35", "39", "40", "41", "42", "43", "44", "45", "49", "50", "51", "52", "53", "54", "55", "59", "61", "62", "63", "64", "65", "69", "72", "73", "74", "75", "79", "80", "81", "85", "89", "91", "94", "95", "99", "1", "1.1", "1.2", "2", "2.1.1", "2.1.2", "2.2.1", "2.2.2", "3", "3.1", "3.2", "REDACTED"}
View Source
var AUCodeSetsSchoolSectorCodeType_map = map[string]struct{}{"Gov": struct{}{}, "NG": struct{}{}}
View Source
var AUCodeSetsSchoolSectorCodeType_values = []string{"Gov", "NG"}
View Source
var AUCodeSetsSchoolSystemType_map = map[string]struct{}{"0001": struct{}{}, "0002": struct{}{}, "0003": struct{}{}, "0004": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsSchoolSystemType_values = []string{"0001", "0002", "0003", "0004", "9999"}
View Source
var AUCodeSetsSessionTypeType_map = map[string]struct{}{"0827": struct{}{}, "0828": struct{}{}, "0829": struct{}{}, "0830": struct{}{}, "0832": struct{}{}, "0833": struct{}{}, "0837": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsSessionTypeType_values = []string{"0827", "0828", "0829", "0830", "0832", "0833", "0837", "9999"}
View Source
var AUCodeSetsSexCodeType_map = map[string]struct{}{"1": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "9": struct{}{}}
View Source
var AUCodeSetsSexCodeType_values = []string{"1", "2", "3", "4", "9"}
View Source
var AUCodeSetsSourceCodeTypeType_map = map[string]struct{}{"C": struct{}{}, "O": struct{}{}, "P": struct{}{}, "S": struct{}{}, "T": struct{}{}}
View Source
var AUCodeSetsSourceCodeTypeType_values = []string{"C", "O", "P", "S", "T"}
View Source
var AUCodeSetsStaffActivityType_map = map[string]struct{}{} /* 189 elements not displayed */
View Source
var AUCodeSetsStaffActivityType_values = []string{} /* 189 elements not displayed */
View Source
var AUCodeSetsStaffStatusType_map = map[string]struct{}{"A": struct{}{}, "I": struct{}{}, "S": struct{}{}, "O": struct{}{}, "N": struct{}{}, "X": struct{}{}}
View Source
var AUCodeSetsStaffStatusType_values = []string{"A", "I", "S", "O", "N", "X"}
View Source
var AUCodeSetsStandardAustralianClassificationOfCountriesSACCType_map = map[string]struct{}{} /* 342 elements not displayed */
View Source
var AUCodeSetsStandardAustralianClassificationOfCountriesSACCType_values = []string{} /* 342 elements not displayed */
View Source
var AUCodeSetsStateTerritoryCodeType_map = map[string]struct{}{"AAT": struct{}{}, "ACT": struct{}{}, "NSW": struct{}{}, "NT": struct{}{}, "QLD": struct{}{}, "SA": struct{}{}, "TAS": struct{}{}, "VIC": struct{}{}, "WA": struct{}{}, "XXX": struct{}{}, "OTH": struct{}{}}
View Source
var AUCodeSetsStateTerritoryCodeType_values = []string{"AAT", "ACT", "NSW", "NT", "QLD", "SA", "TAS", "VIC", "WA", "XXX", "OTH"}
View Source
var AUCodeSetsStudentFamilyProgramTypeType_map = map[string]struct{}{"0100": struct{}{}, "0240": struct{}{}, "0241": struct{}{}, "0242": struct{}{}, "0244": struct{}{}, "0245": struct{}{}, "0246": struct{}{}, "0247": struct{}{}, "0248": struct{}{}, "0249": struct{}{}, "0250": struct{}{}, "0251": struct{}{}, "0252": struct{}{}, "0253": struct{}{}, "0255": struct{}{}, "0256": struct{}{}, "0257": struct{}{}, "0260": struct{}{}, "0261": struct{}{}, "0262": struct{}{}, "0263": struct{}{}, "0265": struct{}{}, "0267": struct{}{}, "0268": struct{}{}, "0269": struct{}{}, "0270": struct{}{}, "0271": struct{}{}, "0272": struct{}{}, "0273": struct{}{}, "0277": struct{}{}, "0278": struct{}{}, "0279": struct{}{}, "0280": struct{}{}, "0281": struct{}{}, "0282": struct{}{}, "0283": struct{}{}, "0284": struct{}{}, "0285": struct{}{}, "0286": struct{}{}, "0287": struct{}{}, "0288": struct{}{}, "0289": struct{}{}, "0342": struct{}{}, "0875": struct{}{}, "0876": struct{}{}, "2381": struct{}{}, "2389": struct{}{}, "2393": struct{}{}, "9999": struct{}{}}
View Source
var AUCodeSetsStudentFamilyProgramTypeType_values = []string{"0100", "0240", "0241", "0242", "0244", "0245", "0246", "0247", "0248", "0249", "0250", "0251", "0252", "0253", "0255", "0256", "0257", "0260", "0261", "0262", "0263", "0265", "0267", "0268", "0269", "0270", "0271", "0272", "0273", "0277", "0278", "0279", "0280", "0281", "0282", "0283", "0284", "0285", "0286", "0287", "0288", "0289", "0342", "0875", "0876", "2381", "2389", "2393", "9999"}
View Source
var AUCodeSetsSuspensionCategoryType_map = map[string]struct{}{"E": struct{}{}, "WE": struct{}{}, "P": struct{}{}, "I": struct{}{}, "W": struct{}{}, "S": struct{}{}, "R": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsSuspensionCategoryType_values = []string{"E", "WE", "P", "I", "W", "S", "R", "O"}
View Source
var AUCodeSetsSystemicStatusType_map = map[string]struct{}{"N": struct{}{}, "S": struct{}{}}
View Source
var AUCodeSetsSystemicStatusType_values = []string{"N", "S"}
View Source
var AUCodeSetsTeacherCoverCreditType_map = map[string]struct{}{"In-Lieu": struct{}{}, "Extra": struct{}{}, "Underload": struct{}{}, "Casual": struct{}{}}
View Source
var AUCodeSetsTeacherCoverCreditType_values = []string{"In-Lieu", "Extra", "Underload", "Casual"}
View Source
var AUCodeSetsTeacherCoverSupervisionType_map = map[string]struct{}{"Normal": struct{}{}, "MinimalSupervision": struct{}{}, "MergedClass": struct{}{}}
View Source
var AUCodeSetsTeacherCoverSupervisionType_values = []string{"Normal", "MinimalSupervision", "MergedClass"}
View Source
var AUCodeSetsTelephoneNumberTypeType_map = map[string]struct{}{"0096": struct{}{}, "0350": struct{}{}, "0359": struct{}{}, "0370": struct{}{}, "0400": struct{}{}, "0426": struct{}{}, "0437": struct{}{}, "0448": struct{}{}, "0478": struct{}{}, "0486": struct{}{}, "2364": struct{}{}, "0888": struct{}{}, "0887": struct{}{}, "0889": struct{}{}, "0777": struct{}{}, "0779": struct{}{}}
View Source
var AUCodeSetsTelephoneNumberTypeType_values = []string{"0096", "0350", "0359", "0370", "0400", "0426", "0437", "0448", "0478", "0486", "2364", "0888", "0887", "0889", "0777", "0779"}
View Source
var AUCodeSetsTimeTableChangeTypeType_map = map[string]struct{}{"Mapping": struct{}{}, "TeacherAbsence": struct{}{}, "RoomRemoval": struct{}{}, "StudentChange": struct{}{}, "Cancellation": struct{}{}, "Event": struct{}{}}
View Source
var AUCodeSetsTimeTableChangeTypeType_values = []string{"Mapping", "TeacherAbsence", "RoomRemoval", "StudentChange", "Cancellation", "Event"}
View Source
var AUCodeSetsTravelModeType_map = map[string]struct{}{"A": struct{}{}, "B": struct{}{}, "C": struct{}{}, "D": struct{}{}, "E": struct{}{}, "F": struct{}{}, "G": struct{}{}, "H": struct{}{}, "I": struct{}{}}
View Source
var AUCodeSetsTravelModeType_values = []string{"A", "B", "C", "D", "E", "F", "G", "H", "I"}
View Source
var AUCodeSetsVisaStudyEntitlementType_map = map[string]struct{}{"Nil": struct{}{}, "Unlimited": struct{}{}, "Limited": struct{}{}}
View Source
var AUCodeSetsVisaStudyEntitlementType_values = []string{"Nil", "Unlimited", "Limited"}
View Source
var AUCodeSetsVisaSubClassType_map = map[string]struct{}{} /* 237 elements not displayed */
View Source
var AUCodeSetsVisaSubClassType_values = []string{} /* 237 elements not displayed */
View Source
var AUCodeSetsWellbeingAlertCategoryType_map = map[string]struct{}{"M": struct{}{}, "L": struct{}{}, "D": struct{}{}, "E": struct{}{}, "S": struct{}{}, "P": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingAlertCategoryType_values = []string{"M", "L", "D", "E", "S", "P", "O"}
View Source
var AUCodeSetsWellbeingAppealStatusType_map = map[string]struct{}{"N": struct{}{}, "N/S": struct{}{}, "RE": struct{}{}, "SU": struct{}{}}
View Source
var AUCodeSetsWellbeingAppealStatusType_values = []string{"N", "N/S", "RE", "SU"}
View Source
var AUCodeSetsWellbeingCharacteristicCategoryType_map = map[string]struct{}{"MAO": struct{}{}, "MAIM": struct{}{}, "MRD": struct{}{}, "MB": struct{}{}, "MMD": struct{}{}, "MMS": struct{}{}, "MEM": struct{}{}, "MC": struct{}{}, "MAA": struct{}{}, "MH": struct{}{}, "MN": struct{}{}, "MS": struct{}{}, "MCM": struct{}{}, "MI": struct{}{}, "MGI": struct{}{}, "MND": struct{}{}, "MO": struct{}{}, "MD": struct{}{}, "MOP": struct{}{}, "M-Other": struct{}{}, "D-Other": struct{}{}, "S-Other": struct{}{}, "Other": struct{}{}, "DP": struct{}{}}
View Source
var AUCodeSetsWellbeingCharacteristicCategoryType_values = []string{"MAO", "MAIM", "MRD", "MB", "MMD", "MMS", "MEM", "MC", "MAA", "MH", "MN", "MS", "MCM", "MI", "MGI", "MND", "MO", "MD", "MOP", "M-Other", "D-Other", "S-Other", "Other", "DP"}
View Source
var AUCodeSetsWellbeingCharacteristicClassificationType_map = map[string]struct{}{"M": struct{}{}, "D": struct{}{}, "S": struct{}{}, "O": struct{}{}, "DP": struct{}{}}
View Source
var AUCodeSetsWellbeingCharacteristicClassificationType_values = []string{"M", "D", "S", "O", "DP"}
View Source
var AUCodeSetsWellbeingCharacteristicSubCategoryType_map = map[string]struct{}{} /* 211 elements not displayed */
View Source
var AUCodeSetsWellbeingCharacteristicSubCategoryType_values = []string{} /* 211 elements not displayed */
View Source
var AUCodeSetsWellbeingEventCategoryClassType_map = map[string]struct{}{"P": struct{}{}, "N": struct{}{}, "D": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingEventCategoryClassType_values = []string{"P", "N", "D", "O"}
View Source
var AUCodeSetsWellbeingEventLocationType_map = map[string]struct{}{"Off": struct{}{}, "On": struct{}{}, "Ex": struct{}{}, "In": struct{}{}, "Ov": struct{}{}, "P": struct{}{}, "L": struct{}{}, "C": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingEventLocationType_values = []string{"Off", "On", "Ex", "In", "Ov", "P", "L", "C", "O"}
View Source
var AUCodeSetsWellbeingEventTimePeriodType_map = map[string]struct{}{"AM": struct{}{}, "PM": struct{}{}, "R": struct{}{}, "B": struct{}{}, "A": struct{}{}, "Ex": struct{}{}, "W": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingEventTimePeriodType_values = []string{"AM", "PM", "R", "B", "A", "Ex", "W", "O"}
View Source
var AUCodeSetsWellbeingResponseCategoryType_map = map[string]struct{}{"S": struct{}{}, "D": struct{}{}, "A": struct{}{}, "P": struct{}{}, "M": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingResponseCategoryType_values = []string{"S", "D", "A", "P", "M", "O"}
View Source
var AUCodeSetsWellbeingStatusType_map = map[string]struct{}{"U": struct{}{}, "R": struct{}{}, "O": struct{}{}}
View Source
var AUCodeSetsWellbeingStatusType_values = []string{"U", "R", "O"}
View Source
var AUCodeSetsYearLevelCodeType_map = map[string]struct{}{"0": struct{}{}, "1": struct{}{}, "10": struct{}{}, "11": struct{}{}, "12": struct{}{}, "13": struct{}{}, "2": struct{}{}, "3": struct{}{}, "4": struct{}{}, "5": struct{}{}, "6": struct{}{}, "7": struct{}{}, "8": struct{}{}, "9": struct{}{}, "K": struct{}{}, "P": struct{}{}, "K3": struct{}{}, "K4": struct{}{}, "CC": struct{}{}, "PS": struct{}{}, "UG": struct{}{}, "11MINUS": struct{}{}, "12PLUS": struct{}{}, "UGJunSec": struct{}{}, "UGPri": struct{}{}, "UGSec": struct{}{}, "UGSnrSec": struct{}{}}
View Source
var AUCodeSetsYearLevelCodeType_values = []string{"0", "1", "10", "11", "12", "13", "2", "3", "4", "5", "6", "7", "8", "9", "K", "P", "K3", "K4", "CC", "PS", "UG", "11MINUS", "12PLUS", "UGJunSec", "UGPri", "UGSec", "UGSnrSec"}
View Source
var AUCodeSetsYesOrNoCategoryType_map = map[string]struct{}{"N": struct{}{}, "U": struct{}{}, "X": struct{}{}, "Y": struct{}{}}
View Source
var AUCodeSetsYesOrNoCategoryType_values = []string{"N", "U", "X", "Y"}
View Source
var ISO4217CurrencyNamesAndCodeElementsType_map = map[string]struct{}{} /* 181 elements not displayed */
View Source
var ISO4217CurrencyNamesAndCodeElementsType_values = []string{} /* 181 elements not displayed */

Functions

func CodesetContains

func CodesetContains(codeset map[string]struct{}, value interface{}) bool

Check whether value is allowed in a codeset, based on the associated codeset values map

Types

type ACStrandAreaListType

type ACStrandAreaListType struct {
	// contains filtered or unexported fields
}

func ACStrandAreaListTypePointer

func ACStrandAreaListTypePointer(value interface{}) (*ACStrandAreaListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewACStrandAreaListType added in v0.1.0

func NewACStrandAreaListType() *ACStrandAreaListType

Generates a new object as a pointer to a struct

func (*ACStrandAreaListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ACStrandAreaListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ACStrandAreaListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ACStrandAreaListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ACStrandAreaListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ACStrandAreaListType) Len

func (t *ACStrandAreaListType) Len() int

Length of the list.

func (*ACStrandAreaListType) ToSlice added in v0.1.0

Convert list object to slice

type ACStrandSubjectAreaType

type ACStrandSubjectAreaType struct {
	// contains filtered or unexported fields
}

func ACStrandSubjectAreaTypePointer

func ACStrandSubjectAreaTypePointer(value interface{}) (*ACStrandSubjectAreaType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewACStrandSubjectAreaType added in v0.1.0

func NewACStrandSubjectAreaType() *ACStrandSubjectAreaType

Generates a new object as a pointer to a struct

func (*ACStrandSubjectAreaType) ACStrand

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ACStrandSubjectAreaType) ACStrand_IsNil

func (s *ACStrandSubjectAreaType) ACStrand_IsNil() bool

Returns whether the element value for ACStrand is nil in the container ACStrandSubjectAreaType.

func (*ACStrandSubjectAreaType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ACStrandSubjectAreaType) SetProperties

func (n *ACStrandSubjectAreaType) SetProperties(props ...Prop) *ACStrandSubjectAreaType

Set a sequence of properties

func (*ACStrandSubjectAreaType) SetProperty

func (n *ACStrandSubjectAreaType) SetProperty(key string, value interface{}) *ACStrandSubjectAreaType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ACStrandSubjectAreaType) SubjectArea

func (s *ACStrandSubjectAreaType) SubjectArea() *SubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ACStrandSubjectAreaType) SubjectArea_IsNil

func (s *ACStrandSubjectAreaType) SubjectArea_IsNil() bool

Returns whether the element value for SubjectArea is nil in the container ACStrandSubjectAreaType.

func (*ACStrandSubjectAreaType) Unset

Set the value of a property to nil

type AGContextualQuestionListType

type AGContextualQuestionListType struct {
	// contains filtered or unexported fields
}

func AGContextualQuestionListTypePointer

func AGContextualQuestionListTypePointer(value interface{}) (*AGContextualQuestionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGContextualQuestionListType added in v0.1.0

func NewAGContextualQuestionListType() *AGContextualQuestionListType

Generates a new object as a pointer to a struct

func (*AGContextualQuestionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AGContextualQuestionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGContextualQuestionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGContextualQuestionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AGContextualQuestionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AGContextualQuestionListType) Len

Length of the list.

func (*AGContextualQuestionListType) ToSlice added in v0.1.0

Convert list object to slice

type AGContextualQuestionType

type AGContextualQuestionType struct {
	// contains filtered or unexported fields
}

func AGContextualQuestionTypePointer

func AGContextualQuestionTypePointer(value interface{}) (*AGContextualQuestionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGContextualQuestionType added in v0.1.0

func NewAGContextualQuestionType() *AGContextualQuestionType

Generates a new object as a pointer to a struct

func (*AGContextualQuestionType) AGAnswer

func (s *AGContextualQuestionType) AGAnswer() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGContextualQuestionType) AGAnswer_IsNil

func (s *AGContextualQuestionType) AGAnswer_IsNil() bool

Returns whether the element value for AGAnswer is nil in the container AGContextualQuestionType.

func (*AGContextualQuestionType) AGContextCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGContextualQuestionType) AGContextCode_IsNil

func (s *AGContextualQuestionType) AGContextCode_IsNil() bool

Returns whether the element value for AGContextCode is nil in the container AGContextualQuestionType.

func (*AGContextualQuestionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGContextualQuestionType) SetProperties

func (n *AGContextualQuestionType) SetProperties(props ...Prop) *AGContextualQuestionType

Set a sequence of properties

func (*AGContextualQuestionType) SetProperty

func (n *AGContextualQuestionType) SetProperty(key string, value interface{}) *AGContextualQuestionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGContextualQuestionType) Unset

Set the value of a property to nil

type AGParentType

type AGParentType struct {
	// contains filtered or unexported fields
}

func AGParentTypePointer

func AGParentTypePointer(value interface{}) (*AGParentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGParentType added in v0.1.0

func NewAGParentType() *AGParentType

Generates a new object as a pointer to a struct

func (*AGParentType) AddressSameAsStudent

func (s *AGParentType) AddressSameAsStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGParentType) AddressSameAsStudent_IsNil

func (s *AGParentType) AddressSameAsStudent_IsNil() bool

Returns whether the element value for AddressSameAsStudent is nil in the container AGParentType.

func (*AGParentType) Clone

func (t *AGParentType) Clone() *AGParentType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGParentType) ParentAddress

func (s *AGParentType) ParentAddress() *AddressType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGParentType) ParentAddress_IsNil

func (s *AGParentType) ParentAddress_IsNil() bool

Returns whether the element value for ParentAddress is nil in the container AGParentType.

func (*AGParentType) ParentName

func (s *AGParentType) ParentName() *NameOfRecordType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGParentType) ParentName_IsNil

func (s *AGParentType) ParentName_IsNil() bool

Returns whether the element value for ParentName is nil in the container AGParentType.

func (*AGParentType) SetProperties

func (n *AGParentType) SetProperties(props ...Prop) *AGParentType

Set a sequence of properties

func (*AGParentType) SetProperty

func (n *AGParentType) SetProperty(key string, value interface{}) *AGParentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGParentType) Unset

func (n *AGParentType) Unset(key string) *AGParentType

Set the value of a property to nil

type AGReportingObjectResponseListType

type AGReportingObjectResponseListType struct {
	// contains filtered or unexported fields
}

func AGReportingObjectResponseListTypePointer

func AGReportingObjectResponseListTypePointer(value interface{}) (*AGReportingObjectResponseListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGReportingObjectResponseListType added in v0.1.0

func NewAGReportingObjectResponseListType() *AGReportingObjectResponseListType

Generates a new object as a pointer to a struct

func (*AGReportingObjectResponseListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AGReportingObjectResponseListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGReportingObjectResponseListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGReportingObjectResponseListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AGReportingObjectResponseListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AGReportingObjectResponseListType) Len

Length of the list.

func (*AGReportingObjectResponseListType) ToSlice added in v0.1.0

Convert list object to slice

type AGReportingObjectResponseType

type AGReportingObjectResponseType struct {
	// contains filtered or unexported fields
}

func AGReportingObjectResponseTypePointer

func AGReportingObjectResponseTypePointer(value interface{}) (*AGReportingObjectResponseType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGReportingObjectResponseType added in v0.1.0

func NewAGReportingObjectResponseType() *AGReportingObjectResponseType

Generates a new object as a pointer to a struct

func (*AGReportingObjectResponseType) AGRuleList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) AGRuleList_IsNil

func (s *AGReportingObjectResponseType) AGRuleList_IsNil() bool

Returns whether the element value for AGRuleList is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) AGSubmissionStatusCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) AGSubmissionStatusCode_IsNil

func (s *AGReportingObjectResponseType) AGSubmissionStatusCode_IsNil() bool

Returns whether the element value for AGSubmissionStatusCode is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGReportingObjectResponseType) CommonwealthId

func (s *AGReportingObjectResponseType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) CommonwealthId_IsNil

func (s *AGReportingObjectResponseType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) EntityName

func (s *AGReportingObjectResponseType) EntityName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) EntityName_IsNil

func (s *AGReportingObjectResponseType) EntityName_IsNil() bool

Returns whether the element value for EntityName is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) ErrorText

func (s *AGReportingObjectResponseType) ErrorText() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) ErrorText_IsNil

func (s *AGReportingObjectResponseType) ErrorText_IsNil() bool

Returns whether the element value for ErrorText is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) HTTPStatusCode

func (s *AGReportingObjectResponseType) HTTPStatusCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) HTTPStatusCode_IsNil

func (s *AGReportingObjectResponseType) HTTPStatusCode_IsNil() bool

Returns whether the element value for HTTPStatusCode is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) SIFRefId

func (s *AGReportingObjectResponseType) SIFRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) SIFRefId_IsNil

func (s *AGReportingObjectResponseType) SIFRefId_IsNil() bool

Returns whether the element value for SIFRefId is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) SetProperties

Set a sequence of properties

func (*AGReportingObjectResponseType) SetProperty

func (n *AGReportingObjectResponseType) SetProperty(key string, value interface{}) *AGReportingObjectResponseType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGReportingObjectResponseType) SubmittedRefId

func (s *AGReportingObjectResponseType) SubmittedRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGReportingObjectResponseType) SubmittedRefId_IsNil

func (s *AGReportingObjectResponseType) SubmittedRefId_IsNil() bool

Returns whether the element value for SubmittedRefId is nil in the container AGReportingObjectResponseType.

func (*AGReportingObjectResponseType) Unset

Set the value of a property to nil

type AGRoundListType

type AGRoundListType struct {
	// contains filtered or unexported fields
}

func AGRoundListTypePointer

func AGRoundListTypePointer(value interface{}) (*AGRoundListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGRoundListType added in v0.1.0

func NewAGRoundListType() *AGRoundListType

Generates a new object as a pointer to a struct

func (*AGRoundListType) AddNew

func (t *AGRoundListType) AddNew() *AGRoundListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AGRoundListType) Append

func (t *AGRoundListType) Append(values ...AGRoundType) *AGRoundListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGRoundListType) Clone

func (t *AGRoundListType) Clone() *AGRoundListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGRoundListType) Index

func (t *AGRoundListType) Index(n int) *AGRoundType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AGRoundListType) Last

func (t *AGRoundListType) Last() *AGRoundType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AGRoundListType) Len

func (t *AGRoundListType) Len() int

Length of the list.

func (*AGRoundListType) ToSlice added in v0.1.0

func (t *AGRoundListType) ToSlice() []*AGRoundType

Convert list object to slice

type AGRoundType

type AGRoundType struct {
	// contains filtered or unexported fields
}

func AGRoundTypePointer

func AGRoundTypePointer(value interface{}) (*AGRoundType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGRoundType added in v0.1.0

func NewAGRoundType() *AGRoundType

Generates a new object as a pointer to a struct

func (*AGRoundType) Clone

func (t *AGRoundType) Clone() *AGRoundType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGRoundType) DueDate

func (s *AGRoundType) DueDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRoundType) DueDate_IsNil

func (s *AGRoundType) DueDate_IsNil() bool

Returns whether the element value for DueDate is nil in the container AGRoundType.

func (*AGRoundType) EndDate

func (s *AGRoundType) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRoundType) EndDate_IsNil

func (s *AGRoundType) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container AGRoundType.

func (*AGRoundType) RoundCode

func (s *AGRoundType) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRoundType) RoundCode_IsNil

func (s *AGRoundType) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container AGRoundType.

func (*AGRoundType) RoundName

func (s *AGRoundType) RoundName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRoundType) RoundName_IsNil

func (s *AGRoundType) RoundName_IsNil() bool

Returns whether the element value for RoundName is nil in the container AGRoundType.

func (*AGRoundType) SetProperties

func (n *AGRoundType) SetProperties(props ...Prop) *AGRoundType

Set a sequence of properties

func (*AGRoundType) SetProperty

func (n *AGRoundType) SetProperty(key string, value interface{}) *AGRoundType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGRoundType) StartDate

func (s *AGRoundType) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRoundType) StartDate_IsNil

func (s *AGRoundType) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container AGRoundType.

func (*AGRoundType) Unset

func (n *AGRoundType) Unset(key string) *AGRoundType

Set the value of a property to nil

type AGRuleListType

type AGRuleListType struct {
	// contains filtered or unexported fields
}

func AGRuleListTypePointer

func AGRuleListTypePointer(value interface{}) (*AGRuleListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGRuleListType added in v0.1.0

func NewAGRuleListType() *AGRuleListType

Generates a new object as a pointer to a struct

func (*AGRuleListType) AddNew

func (t *AGRuleListType) AddNew() *AGRuleListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AGRuleListType) Append

func (t *AGRuleListType) Append(values ...AGRuleType) *AGRuleListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGRuleListType) Clone

func (t *AGRuleListType) Clone() *AGRuleListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGRuleListType) Index

func (t *AGRuleListType) Index(n int) *AGRuleType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AGRuleListType) Last

func (t *AGRuleListType) Last() *AGRuleType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AGRuleListType) Len

func (t *AGRuleListType) Len() int

Length of the list.

func (*AGRuleListType) ToSlice added in v0.1.0

func (t *AGRuleListType) ToSlice() []*AGRuleType

Convert list object to slice

type AGRuleType

type AGRuleType struct {
	// contains filtered or unexported fields
}

func AGRuleTypePointer

func AGRuleTypePointer(value interface{}) (*AGRuleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAGRuleType added in v0.1.0

func NewAGRuleType() *AGRuleType

Generates a new object as a pointer to a struct

func (*AGRuleType) AGRuleCode

func (s *AGRuleType) AGRuleCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRuleType) AGRuleCode_IsNil

func (s *AGRuleType) AGRuleCode_IsNil() bool

Returns whether the element value for AGRuleCode is nil in the container AGRuleType.

func (*AGRuleType) AGRuleComment

func (s *AGRuleType) AGRuleComment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRuleType) AGRuleComment_IsNil

func (s *AGRuleType) AGRuleComment_IsNil() bool

Returns whether the element value for AGRuleComment is nil in the container AGRuleType.

func (*AGRuleType) AGRuleResponse

func (s *AGRuleType) AGRuleResponse() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRuleType) AGRuleResponse_IsNil

func (s *AGRuleType) AGRuleResponse_IsNil() bool

Returns whether the element value for AGRuleResponse is nil in the container AGRuleType.

func (*AGRuleType) AGRuleStatus

func (s *AGRuleType) AGRuleStatus() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AGRuleType) AGRuleStatus_IsNil

func (s *AGRuleType) AGRuleStatus_IsNil() bool

Returns whether the element value for AGRuleStatus is nil in the container AGRuleType.

func (*AGRuleType) Clone

func (t *AGRuleType) Clone() *AGRuleType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AGRuleType) SetProperties

func (n *AGRuleType) SetProperties(props ...Prop) *AGRuleType

Set a sequence of properties

func (*AGRuleType) SetProperty

func (n *AGRuleType) SetProperty(key string, value interface{}) *AGRuleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AGRuleType) Unset

func (n *AGRuleType) Unset(key string) *AGRuleType

Set the value of a property to nil

type AUCodeSets0211ProgramAvailabilityType

type AUCodeSets0211ProgramAvailabilityType string

func AUCodeSets0211ProgramAvailabilityTypePointer

func AUCodeSets0211ProgramAvailabilityTypePointer(value interface{}) (*AUCodeSets0211ProgramAvailabilityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSets0211ProgramAvailabilityType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSets0211ProgramAvailabilityType) String

Return string value

type AUCodeSets0792IdentificationProcedureType

type AUCodeSets0792IdentificationProcedureType string

func AUCodeSets0792IdentificationProcedureTypePointer

func AUCodeSets0792IdentificationProcedureTypePointer(value interface{}) (*AUCodeSets0792IdentificationProcedureType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSets0792IdentificationProcedureType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSets0792IdentificationProcedureType) String

Return string value

type AUCodeSetsACStrandType

type AUCodeSetsACStrandType string

func AUCodeSetsACStrandTypePointer

func AUCodeSetsACStrandTypePointer(value interface{}) (*AUCodeSetsACStrandType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsACStrandType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsACStrandType) String

func (t *AUCodeSetsACStrandType) String() string

Return string value

type AUCodeSetsAGCollectionType

type AUCodeSetsAGCollectionType string

func AUCodeSetsAGCollectionTypePointer

func AUCodeSetsAGCollectionTypePointer(value interface{}) (*AUCodeSetsAGCollectionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAGCollectionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAGCollectionType) String

func (t *AUCodeSetsAGCollectionType) String() string

Return string value

type AUCodeSetsAGContextQuestionType

type AUCodeSetsAGContextQuestionType string

func AUCodeSetsAGContextQuestionTypePointer

func AUCodeSetsAGContextQuestionTypePointer(value interface{}) (*AUCodeSetsAGContextQuestionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAGContextQuestionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAGContextQuestionType) String

Return string value

type AUCodeSetsAGSubmissionStatusType

type AUCodeSetsAGSubmissionStatusType string

func AUCodeSetsAGSubmissionStatusTypePointer

func AUCodeSetsAGSubmissionStatusTypePointer(value interface{}) (*AUCodeSetsAGSubmissionStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAGSubmissionStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAGSubmissionStatusType) String

Return string value

type AUCodeSetsAccompanimentType

type AUCodeSetsAccompanimentType string

func AUCodeSetsAccompanimentTypePointer

func AUCodeSetsAccompanimentTypePointer(value interface{}) (*AUCodeSetsAccompanimentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAccompanimentType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAccompanimentType) String

func (t *AUCodeSetsAccompanimentType) String() string

Return string value

type AUCodeSetsActivityInvolvementCodeType

type AUCodeSetsActivityInvolvementCodeType string

func AUCodeSetsActivityInvolvementCodeTypePointer

func AUCodeSetsActivityInvolvementCodeTypePointer(value interface{}) (*AUCodeSetsActivityInvolvementCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsActivityInvolvementCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsActivityInvolvementCodeType) String

Return string value

type AUCodeSetsActivityTypeType

type AUCodeSetsActivityTypeType string

func AUCodeSetsActivityTypeTypePointer

func AUCodeSetsActivityTypeTypePointer(value interface{}) (*AUCodeSetsActivityTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsActivityTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsActivityTypeType) String

func (t *AUCodeSetsActivityTypeType) String() string

Return string value

type AUCodeSetsAddressRoleType

type AUCodeSetsAddressRoleType string

func AUCodeSetsAddressRoleTypePointer

func AUCodeSetsAddressRoleTypePointer(value interface{}) (*AUCodeSetsAddressRoleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAddressRoleType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAddressRoleType) String

func (t *AUCodeSetsAddressRoleType) String() string

Return string value

type AUCodeSetsAddressTypeType

type AUCodeSetsAddressTypeType string

func AUCodeSetsAddressTypeTypePointer

func AUCodeSetsAddressTypeTypePointer(value interface{}) (*AUCodeSetsAddressTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAddressTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAddressTypeType) String

func (t *AUCodeSetsAddressTypeType) String() string

Return string value

type AUCodeSetsAssessmentReportingMethodType

type AUCodeSetsAssessmentReportingMethodType string

func AUCodeSetsAssessmentReportingMethodTypePointer

func AUCodeSetsAssessmentReportingMethodTypePointer(value interface{}) (*AUCodeSetsAssessmentReportingMethodType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAssessmentReportingMethodType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAssessmentReportingMethodType) String

Return string value

type AUCodeSetsAssessmentTypeType

type AUCodeSetsAssessmentTypeType string

func AUCodeSetsAssessmentTypeTypePointer

func AUCodeSetsAssessmentTypeTypePointer(value interface{}) (*AUCodeSetsAssessmentTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAssessmentTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAssessmentTypeType) String

Return string value

type AUCodeSetsAttendanceCodeType

type AUCodeSetsAttendanceCodeType string

func AUCodeSetsAttendanceCodeTypePointer

func AUCodeSetsAttendanceCodeTypePointer(value interface{}) (*AUCodeSetsAttendanceCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAttendanceCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAttendanceCodeType) String

Return string value

type AUCodeSetsAttendanceStatusType

type AUCodeSetsAttendanceStatusType string

func AUCodeSetsAttendanceStatusTypePointer

func AUCodeSetsAttendanceStatusTypePointer(value interface{}) (*AUCodeSetsAttendanceStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAttendanceStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAttendanceStatusType) String

Return string value

type AUCodeSetsAustralianCitizenshipStatusType

type AUCodeSetsAustralianCitizenshipStatusType string

func AUCodeSetsAustralianCitizenshipStatusTypePointer

func AUCodeSetsAustralianCitizenshipStatusTypePointer(value interface{}) (*AUCodeSetsAustralianCitizenshipStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAustralianCitizenshipStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAustralianCitizenshipStatusType) String

Return string value

type AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType

type AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType string

func AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGTypePointer

func AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGTypePointer(value interface{}) (*AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAustralianStandardClassificationOfCulturalAndEthnicGroupsASCCEGType) String

Return string value

type AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType

type AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType string

func AUCodeSetsAustralianStandardClassificationOfLanguagesASCLTypePointer

func AUCodeSetsAustralianStandardClassificationOfLanguagesASCLTypePointer(value interface{}) (*AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAustralianStandardClassificationOfLanguagesASCLType) String

Return string value

type AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType

type AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType string

func AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGTypePointer

func AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGTypePointer(value interface{}) (*AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAustralianStandardClassificationOfReligiousGroupsASCRGType) String

Return string value

type AUCodeSetsAustralianTimeZoneType

type AUCodeSetsAustralianTimeZoneType string

func AUCodeSetsAustralianTimeZoneTypePointer

func AUCodeSetsAustralianTimeZoneTypePointer(value interface{}) (*AUCodeSetsAustralianTimeZoneType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsAustralianTimeZoneType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsAustralianTimeZoneType) String

Return string value

type AUCodeSetsBirthdateVerificationType

type AUCodeSetsBirthdateVerificationType string

func AUCodeSetsBirthdateVerificationTypePointer

func AUCodeSetsBirthdateVerificationTypePointer(value interface{}) (*AUCodeSetsBirthdateVerificationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsBirthdateVerificationType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsBirthdateVerificationType) String

Return string value

type AUCodeSetsBoardingType

type AUCodeSetsBoardingType string

func AUCodeSetsBoardingTypePointer

func AUCodeSetsBoardingTypePointer(value interface{}) (*AUCodeSetsBoardingType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsBoardingType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsBoardingType) String

func (t *AUCodeSetsBoardingType) String() string

Return string value

type AUCodeSetsCalendarEventType

type AUCodeSetsCalendarEventType string

func AUCodeSetsCalendarEventTypePointer

func AUCodeSetsCalendarEventTypePointer(value interface{}) (*AUCodeSetsCalendarEventType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsCalendarEventType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsCalendarEventType) String

func (t *AUCodeSetsCalendarEventType) String() string

Return string value

type AUCodeSetsContactMethodType

type AUCodeSetsContactMethodType string

func AUCodeSetsContactMethodTypePointer

func AUCodeSetsContactMethodTypePointer(value interface{}) (*AUCodeSetsContactMethodType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsContactMethodType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsContactMethodType) String

func (t *AUCodeSetsContactMethodType) String() string

Return string value

type AUCodeSetsDayValueCodeType

type AUCodeSetsDayValueCodeType string

func AUCodeSetsDayValueCodeTypePointer

func AUCodeSetsDayValueCodeTypePointer(value interface{}) (*AUCodeSetsDayValueCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsDayValueCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsDayValueCodeType) String

func (t *AUCodeSetsDayValueCodeType) String() string

Return string value

type AUCodeSetsDetentionCategoryType

type AUCodeSetsDetentionCategoryType string

func AUCodeSetsDetentionCategoryTypePointer

func AUCodeSetsDetentionCategoryTypePointer(value interface{}) (*AUCodeSetsDetentionCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsDetentionCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsDetentionCategoryType) String

Return string value

type AUCodeSetsDwellingArrangementType

type AUCodeSetsDwellingArrangementType string

func AUCodeSetsDwellingArrangementTypePointer

func AUCodeSetsDwellingArrangementTypePointer(value interface{}) (*AUCodeSetsDwellingArrangementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsDwellingArrangementType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsDwellingArrangementType) String

Return string value

type AUCodeSetsEducationAgencyTypeType

type AUCodeSetsEducationAgencyTypeType string

func AUCodeSetsEducationAgencyTypeTypePointer

func AUCodeSetsEducationAgencyTypeTypePointer(value interface{}) (*AUCodeSetsEducationAgencyTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEducationAgencyTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEducationAgencyTypeType) String

Return string value

type AUCodeSetsEducationLevelType

type AUCodeSetsEducationLevelType string

func AUCodeSetsEducationLevelTypePointer

func AUCodeSetsEducationLevelTypePointer(value interface{}) (*AUCodeSetsEducationLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEducationLevelType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEducationLevelType) String

Return string value

type AUCodeSetsElectronicIdTypeType

type AUCodeSetsElectronicIdTypeType string

func AUCodeSetsElectronicIdTypeTypePointer

func AUCodeSetsElectronicIdTypeTypePointer(value interface{}) (*AUCodeSetsElectronicIdTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsElectronicIdTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsElectronicIdTypeType) String

Return string value

type AUCodeSetsEmailTypeType

type AUCodeSetsEmailTypeType string

func AUCodeSetsEmailTypeTypePointer

func AUCodeSetsEmailTypeTypePointer(value interface{}) (*AUCodeSetsEmailTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEmailTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEmailTypeType) String

func (t *AUCodeSetsEmailTypeType) String() string

Return string value

type AUCodeSetsEmploymentTypeType

type AUCodeSetsEmploymentTypeType string

func AUCodeSetsEmploymentTypeTypePointer

func AUCodeSetsEmploymentTypeTypePointer(value interface{}) (*AUCodeSetsEmploymentTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEmploymentTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEmploymentTypeType) String

Return string value

type AUCodeSetsEnglishProficiencyType

type AUCodeSetsEnglishProficiencyType string

func AUCodeSetsEnglishProficiencyTypePointer

func AUCodeSetsEnglishProficiencyTypePointer(value interface{}) (*AUCodeSetsEnglishProficiencyType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEnglishProficiencyType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEnglishProficiencyType) String

Return string value

type AUCodeSetsEnrollmentTimeFrameType

type AUCodeSetsEnrollmentTimeFrameType string

func AUCodeSetsEnrollmentTimeFrameTypePointer

func AUCodeSetsEnrollmentTimeFrameTypePointer(value interface{}) (*AUCodeSetsEnrollmentTimeFrameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEnrollmentTimeFrameType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEnrollmentTimeFrameType) String

Return string value

type AUCodeSetsEntryTypeType

type AUCodeSetsEntryTypeType string

func AUCodeSetsEntryTypeTypePointer

func AUCodeSetsEntryTypeTypePointer(value interface{}) (*AUCodeSetsEntryTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEntryTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEntryTypeType) String

func (t *AUCodeSetsEntryTypeType) String() string

Return string value

type AUCodeSetsEquipmentTypeType

type AUCodeSetsEquipmentTypeType string

func AUCodeSetsEquipmentTypeTypePointer

func AUCodeSetsEquipmentTypeTypePointer(value interface{}) (*AUCodeSetsEquipmentTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEquipmentTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEquipmentTypeType) String

func (t *AUCodeSetsEquipmentTypeType) String() string

Return string value

type AUCodeSetsEventCategoryType

type AUCodeSetsEventCategoryType string

func AUCodeSetsEventCategoryTypePointer

func AUCodeSetsEventCategoryTypePointer(value interface{}) (*AUCodeSetsEventCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEventCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEventCategoryType) String

func (t *AUCodeSetsEventCategoryType) String() string

Return string value

type AUCodeSetsEventSubCategoryType

type AUCodeSetsEventSubCategoryType string

func AUCodeSetsEventSubCategoryTypePointer

func AUCodeSetsEventSubCategoryTypePointer(value interface{}) (*AUCodeSetsEventSubCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsEventSubCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsEventSubCategoryType) String

Return string value

type AUCodeSetsExitWithdrawalStatusType

type AUCodeSetsExitWithdrawalStatusType string

func AUCodeSetsExitWithdrawalStatusTypePointer

func AUCodeSetsExitWithdrawalStatusTypePointer(value interface{}) (*AUCodeSetsExitWithdrawalStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsExitWithdrawalStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsExitWithdrawalStatusType) String

Return string value

type AUCodeSetsExitWithdrawalTypeType

type AUCodeSetsExitWithdrawalTypeType string

func AUCodeSetsExitWithdrawalTypeTypePointer

func AUCodeSetsExitWithdrawalTypeTypePointer(value interface{}) (*AUCodeSetsExitWithdrawalTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsExitWithdrawalTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsExitWithdrawalTypeType) String

Return string value

type AUCodeSetsFFPOSStatusCodeType

type AUCodeSetsFFPOSStatusCodeType string

func AUCodeSetsFFPOSStatusCodeTypePointer

func AUCodeSetsFFPOSStatusCodeTypePointer(value interface{}) (*AUCodeSetsFFPOSStatusCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsFFPOSStatusCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsFFPOSStatusCodeType) String

Return string value

type AUCodeSetsFTPTStatusCodeType

type AUCodeSetsFTPTStatusCodeType string

func AUCodeSetsFTPTStatusCodeTypePointer

func AUCodeSetsFTPTStatusCodeTypePointer(value interface{}) (*AUCodeSetsFTPTStatusCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsFTPTStatusCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsFTPTStatusCodeType) String

Return string value

type AUCodeSetsFederalElectorateType

type AUCodeSetsFederalElectorateType string

func AUCodeSetsFederalElectorateTypePointer

func AUCodeSetsFederalElectorateTypePointer(value interface{}) (*AUCodeSetsFederalElectorateType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsFederalElectorateType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsFederalElectorateType) String

Return string value

type AUCodeSetsGroupCategoryCodeType

type AUCodeSetsGroupCategoryCodeType string

func AUCodeSetsGroupCategoryCodeTypePointer

func AUCodeSetsGroupCategoryCodeTypePointer(value interface{}) (*AUCodeSetsGroupCategoryCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsGroupCategoryCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsGroupCategoryCodeType) String

Return string value

type AUCodeSetsImmunisationCertificateStatusType

type AUCodeSetsImmunisationCertificateStatusType string

func AUCodeSetsImmunisationCertificateStatusTypePointer

func AUCodeSetsImmunisationCertificateStatusTypePointer(value interface{}) (*AUCodeSetsImmunisationCertificateStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsImmunisationCertificateStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsImmunisationCertificateStatusType) String

Return string value

type AUCodeSetsIndigenousStatusType

type AUCodeSetsIndigenousStatusType string

func AUCodeSetsIndigenousStatusTypePointer

func AUCodeSetsIndigenousStatusTypePointer(value interface{}) (*AUCodeSetsIndigenousStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsIndigenousStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsIndigenousStatusType) String

Return string value

type AUCodeSetsLanguageTypeType

type AUCodeSetsLanguageTypeType string

func AUCodeSetsLanguageTypeTypePointer

func AUCodeSetsLanguageTypeTypePointer(value interface{}) (*AUCodeSetsLanguageTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsLanguageTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsLanguageTypeType) String

func (t *AUCodeSetsLanguageTypeType) String() string

Return string value

type AUCodeSetsLearningStandardItemRelationshipTypesType

type AUCodeSetsLearningStandardItemRelationshipTypesType string

func AUCodeSetsLearningStandardItemRelationshipTypesTypePointer

func AUCodeSetsLearningStandardItemRelationshipTypesTypePointer(value interface{}) (*AUCodeSetsLearningStandardItemRelationshipTypesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsLearningStandardItemRelationshipTypesType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsLearningStandardItemRelationshipTypesType) String

Return string value

type AUCodeSetsMaritalStatusAIHWType

type AUCodeSetsMaritalStatusAIHWType string

func AUCodeSetsMaritalStatusAIHWTypePointer

func AUCodeSetsMaritalStatusAIHWTypePointer(value interface{}) (*AUCodeSetsMaritalStatusAIHWType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsMaritalStatusAIHWType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsMaritalStatusAIHWType) String

Return string value

type AUCodeSetsMediumOfInstructionType

type AUCodeSetsMediumOfInstructionType string

func AUCodeSetsMediumOfInstructionTypePointer

func AUCodeSetsMediumOfInstructionTypePointer(value interface{}) (*AUCodeSetsMediumOfInstructionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsMediumOfInstructionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsMediumOfInstructionType) String

Return string value

type AUCodeSetsNAPJurisdictionType

type AUCodeSetsNAPJurisdictionType string

func AUCodeSetsNAPJurisdictionTypePointer

func AUCodeSetsNAPJurisdictionTypePointer(value interface{}) (*AUCodeSetsNAPJurisdictionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPJurisdictionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPJurisdictionType) String

Return string value

type AUCodeSetsNAPParticipationCodeType

type AUCodeSetsNAPParticipationCodeType string

func AUCodeSetsNAPParticipationCodeTypePointer

func AUCodeSetsNAPParticipationCodeTypePointer(value interface{}) (*AUCodeSetsNAPParticipationCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPParticipationCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPParticipationCodeType) String

Return string value

type AUCodeSetsNAPResponseCorrectnessType

type AUCodeSetsNAPResponseCorrectnessType string

func AUCodeSetsNAPResponseCorrectnessTypePointer

func AUCodeSetsNAPResponseCorrectnessTypePointer(value interface{}) (*AUCodeSetsNAPResponseCorrectnessType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPResponseCorrectnessType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPResponseCorrectnessType) String

Return string value

type AUCodeSetsNAPTestDomainType

type AUCodeSetsNAPTestDomainType string

func AUCodeSetsNAPTestDomainTypePointer

func AUCodeSetsNAPTestDomainTypePointer(value interface{}) (*AUCodeSetsNAPTestDomainType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPTestDomainType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPTestDomainType) String

func (t *AUCodeSetsNAPTestDomainType) String() string

Return string value

type AUCodeSetsNAPTestItemMarkingTypeType

type AUCodeSetsNAPTestItemMarkingTypeType string

func AUCodeSetsNAPTestItemMarkingTypeTypePointer

func AUCodeSetsNAPTestItemMarkingTypeTypePointer(value interface{}) (*AUCodeSetsNAPTestItemMarkingTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPTestItemMarkingTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPTestItemMarkingTypeType) String

Return string value

type AUCodeSetsNAPTestItemTypeType

type AUCodeSetsNAPTestItemTypeType string

func AUCodeSetsNAPTestItemTypeTypePointer

func AUCodeSetsNAPTestItemTypeTypePointer(value interface{}) (*AUCodeSetsNAPTestItemTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPTestItemTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPTestItemTypeType) String

Return string value

type AUCodeSetsNAPTestTypeType

type AUCodeSetsNAPTestTypeType string

func AUCodeSetsNAPTestTypeTypePointer

func AUCodeSetsNAPTestTypeTypePointer(value interface{}) (*AUCodeSetsNAPTestTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPTestTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPTestTypeType) String

func (t *AUCodeSetsNAPTestTypeType) String() string

Return string value

type AUCodeSetsNAPWritingGenreType

type AUCodeSetsNAPWritingGenreType string

func AUCodeSetsNAPWritingGenreTypePointer

func AUCodeSetsNAPWritingGenreTypePointer(value interface{}) (*AUCodeSetsNAPWritingGenreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNAPWritingGenreType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNAPWritingGenreType) String

Return string value

type AUCodeSetsNCCDAdjustmentType

type AUCodeSetsNCCDAdjustmentType string

func AUCodeSetsNCCDAdjustmentTypePointer

func AUCodeSetsNCCDAdjustmentTypePointer(value interface{}) (*AUCodeSetsNCCDAdjustmentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNCCDAdjustmentType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNCCDAdjustmentType) String

Return string value

type AUCodeSetsNCCDDisabilityType

type AUCodeSetsNCCDDisabilityType string

func AUCodeSetsNCCDDisabilityTypePointer

func AUCodeSetsNCCDDisabilityTypePointer(value interface{}) (*AUCodeSetsNCCDDisabilityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNCCDDisabilityType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNCCDDisabilityType) String

Return string value

type AUCodeSetsNameUsageTypeType

type AUCodeSetsNameUsageTypeType string

func AUCodeSetsNameUsageTypeTypePointer

func AUCodeSetsNameUsageTypeTypePointer(value interface{}) (*AUCodeSetsNameUsageTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNameUsageTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNameUsageTypeType) String

func (t *AUCodeSetsNameUsageTypeType) String() string

Return string value

type AUCodeSetsNonSchoolEducationType

type AUCodeSetsNonSchoolEducationType string

func AUCodeSetsNonSchoolEducationTypePointer

func AUCodeSetsNonSchoolEducationTypePointer(value interface{}) (*AUCodeSetsNonSchoolEducationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsNonSchoolEducationType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsNonSchoolEducationType) String

Return string value

type AUCodeSetsOperationalStatusType

type AUCodeSetsOperationalStatusType string

func AUCodeSetsOperationalStatusTypePointer

func AUCodeSetsOperationalStatusTypePointer(value interface{}) (*AUCodeSetsOperationalStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsOperationalStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsOperationalStatusType) String

Return string value

type AUCodeSetsPNPCodeType

type AUCodeSetsPNPCodeType string

func AUCodeSetsPNPCodeTypePointer

func AUCodeSetsPNPCodeTypePointer(value interface{}) (*AUCodeSetsPNPCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPNPCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPNPCodeType) String

func (t *AUCodeSetsPNPCodeType) String() string

Return string value

type AUCodeSetsPermanentResidentStatusType

type AUCodeSetsPermanentResidentStatusType string

func AUCodeSetsPermanentResidentStatusTypePointer

func AUCodeSetsPermanentResidentStatusTypePointer(value interface{}) (*AUCodeSetsPermanentResidentStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPermanentResidentStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPermanentResidentStatusType) String

Return string value

type AUCodeSetsPermissionCategoryCodeType

type AUCodeSetsPermissionCategoryCodeType string

func AUCodeSetsPermissionCategoryCodeTypePointer

func AUCodeSetsPermissionCategoryCodeTypePointer(value interface{}) (*AUCodeSetsPermissionCategoryCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPermissionCategoryCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPermissionCategoryCodeType) String

Return string value

type AUCodeSetsPersonalisedPlanType

type AUCodeSetsPersonalisedPlanType string

func AUCodeSetsPersonalisedPlanTypePointer

func AUCodeSetsPersonalisedPlanTypePointer(value interface{}) (*AUCodeSetsPersonalisedPlanType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPersonalisedPlanType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPersonalisedPlanType) String

Return string value

type AUCodeSetsPictureSourceType

type AUCodeSetsPictureSourceType string

func AUCodeSetsPictureSourceTypePointer

func AUCodeSetsPictureSourceTypePointer(value interface{}) (*AUCodeSetsPictureSourceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPictureSourceType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPictureSourceType) String

func (t *AUCodeSetsPictureSourceType) String() string

Return string value

type AUCodeSetsPrePrimaryHoursType

type AUCodeSetsPrePrimaryHoursType string

func AUCodeSetsPrePrimaryHoursTypePointer

func AUCodeSetsPrePrimaryHoursTypePointer(value interface{}) (*AUCodeSetsPrePrimaryHoursType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPrePrimaryHoursType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPrePrimaryHoursType) String

Return string value

type AUCodeSetsProgramFundingSourceCodeType

type AUCodeSetsProgramFundingSourceCodeType string

func AUCodeSetsProgramFundingSourceCodeTypePointer

func AUCodeSetsProgramFundingSourceCodeTypePointer(value interface{}) (*AUCodeSetsProgramFundingSourceCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsProgramFundingSourceCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsProgramFundingSourceCodeType) String

Return string value

type AUCodeSetsProgressLevelType

type AUCodeSetsProgressLevelType string

func AUCodeSetsProgressLevelTypePointer

func AUCodeSetsProgressLevelTypePointer(value interface{}) (*AUCodeSetsProgressLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsProgressLevelType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsProgressLevelType) String

func (t *AUCodeSetsProgressLevelType) String() string

Return string value

type AUCodeSetsPublicSchoolCatchmentStatusType

type AUCodeSetsPublicSchoolCatchmentStatusType string

func AUCodeSetsPublicSchoolCatchmentStatusTypePointer

func AUCodeSetsPublicSchoolCatchmentStatusTypePointer(value interface{}) (*AUCodeSetsPublicSchoolCatchmentStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsPublicSchoolCatchmentStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsPublicSchoolCatchmentStatusType) String

Return string value

type AUCodeSetsReceivingLocationOfInstructionType

type AUCodeSetsReceivingLocationOfInstructionType string

func AUCodeSetsReceivingLocationOfInstructionTypePointer

func AUCodeSetsReceivingLocationOfInstructionTypePointer(value interface{}) (*AUCodeSetsReceivingLocationOfInstructionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsReceivingLocationOfInstructionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsReceivingLocationOfInstructionType) String

Return string value

type AUCodeSetsRelationshipToStudentType

type AUCodeSetsRelationshipToStudentType string

func AUCodeSetsRelationshipToStudentTypePointer

func AUCodeSetsRelationshipToStudentTypePointer(value interface{}) (*AUCodeSetsRelationshipToStudentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsRelationshipToStudentType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsRelationshipToStudentType) String

Return string value

type AUCodeSetsResourceUsageContentTypeType

type AUCodeSetsResourceUsageContentTypeType string

func AUCodeSetsResourceUsageContentTypeTypePointer

func AUCodeSetsResourceUsageContentTypeTypePointer(value interface{}) (*AUCodeSetsResourceUsageContentTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsResourceUsageContentTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsResourceUsageContentTypeType) String

Return string value

type AUCodeSetsScheduledActivityTypeType

type AUCodeSetsScheduledActivityTypeType string

func AUCodeSetsScheduledActivityTypeTypePointer

func AUCodeSetsScheduledActivityTypeTypePointer(value interface{}) (*AUCodeSetsScheduledActivityTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsScheduledActivityTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsScheduledActivityTypeType) String

Return string value

type AUCodeSetsSchoolCoEdStatusType

type AUCodeSetsSchoolCoEdStatusType string

func AUCodeSetsSchoolCoEdStatusTypePointer

func AUCodeSetsSchoolCoEdStatusTypePointer(value interface{}) (*AUCodeSetsSchoolCoEdStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolCoEdStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolCoEdStatusType) String

Return string value

type AUCodeSetsSchoolEducationLevelTypeType

type AUCodeSetsSchoolEducationLevelTypeType string

func AUCodeSetsSchoolEducationLevelTypeTypePointer

func AUCodeSetsSchoolEducationLevelTypeTypePointer(value interface{}) (*AUCodeSetsSchoolEducationLevelTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolEducationLevelTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolEducationLevelTypeType) String

Return string value

type AUCodeSetsSchoolEnrollmentTypeType

type AUCodeSetsSchoolEnrollmentTypeType string

func AUCodeSetsSchoolEnrollmentTypeTypePointer

func AUCodeSetsSchoolEnrollmentTypeTypePointer(value interface{}) (*AUCodeSetsSchoolEnrollmentTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolEnrollmentTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolEnrollmentTypeType) String

Return string value

type AUCodeSetsSchoolFocusCodeType

type AUCodeSetsSchoolFocusCodeType string

func AUCodeSetsSchoolFocusCodeTypePointer

func AUCodeSetsSchoolFocusCodeTypePointer(value interface{}) (*AUCodeSetsSchoolFocusCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolFocusCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolFocusCodeType) String

Return string value

type AUCodeSetsSchoolLevelType

type AUCodeSetsSchoolLevelType string

func AUCodeSetsSchoolLevelTypePointer

func AUCodeSetsSchoolLevelTypePointer(value interface{}) (*AUCodeSetsSchoolLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolLevelType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolLevelType) String

func (t *AUCodeSetsSchoolLevelType) String() string

Return string value

type AUCodeSetsSchoolLocationType

type AUCodeSetsSchoolLocationType string

func AUCodeSetsSchoolLocationTypePointer

func AUCodeSetsSchoolLocationTypePointer(value interface{}) (*AUCodeSetsSchoolLocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolLocationType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolLocationType) String

Return string value

type AUCodeSetsSchoolSectorCodeType

type AUCodeSetsSchoolSectorCodeType string

func AUCodeSetsSchoolSectorCodeTypePointer

func AUCodeSetsSchoolSectorCodeTypePointer(value interface{}) (*AUCodeSetsSchoolSectorCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolSectorCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolSectorCodeType) String

Return string value

type AUCodeSetsSchoolSystemType

type AUCodeSetsSchoolSystemType string

func AUCodeSetsSchoolSystemTypePointer

func AUCodeSetsSchoolSystemTypePointer(value interface{}) (*AUCodeSetsSchoolSystemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSchoolSystemType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSchoolSystemType) String

func (t *AUCodeSetsSchoolSystemType) String() string

Return string value

type AUCodeSetsSessionTypeType

type AUCodeSetsSessionTypeType string

func AUCodeSetsSessionTypeTypePointer

func AUCodeSetsSessionTypeTypePointer(value interface{}) (*AUCodeSetsSessionTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSessionTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSessionTypeType) String

func (t *AUCodeSetsSessionTypeType) String() string

Return string value

type AUCodeSetsSexCodeType

type AUCodeSetsSexCodeType string

func AUCodeSetsSexCodeTypePointer

func AUCodeSetsSexCodeTypePointer(value interface{}) (*AUCodeSetsSexCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSexCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSexCodeType) String

func (t *AUCodeSetsSexCodeType) String() string

Return string value

type AUCodeSetsSourceCodeTypeType

type AUCodeSetsSourceCodeTypeType string

func AUCodeSetsSourceCodeTypeTypePointer

func AUCodeSetsSourceCodeTypeTypePointer(value interface{}) (*AUCodeSetsSourceCodeTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSourceCodeTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSourceCodeTypeType) String

Return string value

type AUCodeSetsStaffActivityType

type AUCodeSetsStaffActivityType string

func AUCodeSetsStaffActivityTypePointer

func AUCodeSetsStaffActivityTypePointer(value interface{}) (*AUCodeSetsStaffActivityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsStaffActivityType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsStaffActivityType) String

func (t *AUCodeSetsStaffActivityType) String() string

Return string value

type AUCodeSetsStaffStatusType

type AUCodeSetsStaffStatusType string

func AUCodeSetsStaffStatusTypePointer

func AUCodeSetsStaffStatusTypePointer(value interface{}) (*AUCodeSetsStaffStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsStaffStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsStaffStatusType) String

func (t *AUCodeSetsStaffStatusType) String() string

Return string value

type AUCodeSetsStandardAustralianClassificationOfCountriesSACCType

type AUCodeSetsStandardAustralianClassificationOfCountriesSACCType string

func AUCodeSetsStandardAustralianClassificationOfCountriesSACCTypePointer

func AUCodeSetsStandardAustralianClassificationOfCountriesSACCTypePointer(value interface{}) (*AUCodeSetsStandardAustralianClassificationOfCountriesSACCType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsStandardAustralianClassificationOfCountriesSACCType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsStandardAustralianClassificationOfCountriesSACCType) String

Return string value

type AUCodeSetsStateTerritoryCodeType

type AUCodeSetsStateTerritoryCodeType string

func AUCodeSetsStateTerritoryCodeTypePointer

func AUCodeSetsStateTerritoryCodeTypePointer(value interface{}) (*AUCodeSetsStateTerritoryCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsStateTerritoryCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsStateTerritoryCodeType) String

Return string value

type AUCodeSetsStudentFamilyProgramTypeType

type AUCodeSetsStudentFamilyProgramTypeType string

func AUCodeSetsStudentFamilyProgramTypeTypePointer

func AUCodeSetsStudentFamilyProgramTypeTypePointer(value interface{}) (*AUCodeSetsStudentFamilyProgramTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsStudentFamilyProgramTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsStudentFamilyProgramTypeType) String

Return string value

type AUCodeSetsSuspensionCategoryType

type AUCodeSetsSuspensionCategoryType string

func AUCodeSetsSuspensionCategoryTypePointer

func AUCodeSetsSuspensionCategoryTypePointer(value interface{}) (*AUCodeSetsSuspensionCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSuspensionCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSuspensionCategoryType) String

Return string value

type AUCodeSetsSystemicStatusType

type AUCodeSetsSystemicStatusType string

func AUCodeSetsSystemicStatusTypePointer

func AUCodeSetsSystemicStatusTypePointer(value interface{}) (*AUCodeSetsSystemicStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsSystemicStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsSystemicStatusType) String

Return string value

type AUCodeSetsTeacherCoverCreditType

type AUCodeSetsTeacherCoverCreditType string

func AUCodeSetsTeacherCoverCreditTypePointer

func AUCodeSetsTeacherCoverCreditTypePointer(value interface{}) (*AUCodeSetsTeacherCoverCreditType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsTeacherCoverCreditType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsTeacherCoverCreditType) String

Return string value

type AUCodeSetsTeacherCoverSupervisionType

type AUCodeSetsTeacherCoverSupervisionType string

func AUCodeSetsTeacherCoverSupervisionTypePointer

func AUCodeSetsTeacherCoverSupervisionTypePointer(value interface{}) (*AUCodeSetsTeacherCoverSupervisionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsTeacherCoverSupervisionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsTeacherCoverSupervisionType) String

Return string value

type AUCodeSetsTelephoneNumberTypeType

type AUCodeSetsTelephoneNumberTypeType string

func AUCodeSetsTelephoneNumberTypeTypePointer

func AUCodeSetsTelephoneNumberTypeTypePointer(value interface{}) (*AUCodeSetsTelephoneNumberTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsTelephoneNumberTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsTelephoneNumberTypeType) String

Return string value

type AUCodeSetsTimeTableChangeTypeType

type AUCodeSetsTimeTableChangeTypeType string

func AUCodeSetsTimeTableChangeTypeTypePointer

func AUCodeSetsTimeTableChangeTypeTypePointer(value interface{}) (*AUCodeSetsTimeTableChangeTypeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsTimeTableChangeTypeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsTimeTableChangeTypeType) String

Return string value

type AUCodeSetsTravelModeType

type AUCodeSetsTravelModeType string

func AUCodeSetsTravelModeTypePointer

func AUCodeSetsTravelModeTypePointer(value interface{}) (*AUCodeSetsTravelModeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsTravelModeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsTravelModeType) String

func (t *AUCodeSetsTravelModeType) String() string

Return string value

type AUCodeSetsTravelModeTypes added in v0.1.0

type AUCodeSetsTravelModeTypes struct {
	// contains filtered or unexported fields
}

type AUCodeSetsVisaStudyEntitlementType

type AUCodeSetsVisaStudyEntitlementType string

func AUCodeSetsVisaStudyEntitlementTypePointer

func AUCodeSetsVisaStudyEntitlementTypePointer(value interface{}) (*AUCodeSetsVisaStudyEntitlementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsVisaStudyEntitlementType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsVisaStudyEntitlementType) String

Return string value

type AUCodeSetsVisaSubClassType

type AUCodeSetsVisaSubClassType string

func AUCodeSetsVisaSubClassTypePointer

func AUCodeSetsVisaSubClassTypePointer(value interface{}) (*AUCodeSetsVisaSubClassType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsVisaSubClassType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsVisaSubClassType) String

func (t *AUCodeSetsVisaSubClassType) String() string

Return string value

type AUCodeSetsWellbeingAlertCategoryType

type AUCodeSetsWellbeingAlertCategoryType string

func AUCodeSetsWellbeingAlertCategoryTypePointer

func AUCodeSetsWellbeingAlertCategoryTypePointer(value interface{}) (*AUCodeSetsWellbeingAlertCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingAlertCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingAlertCategoryType) String

Return string value

type AUCodeSetsWellbeingAppealStatusType

type AUCodeSetsWellbeingAppealStatusType string

func AUCodeSetsWellbeingAppealStatusTypePointer

func AUCodeSetsWellbeingAppealStatusTypePointer(value interface{}) (*AUCodeSetsWellbeingAppealStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingAppealStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingAppealStatusType) String

Return string value

type AUCodeSetsWellbeingCharacteristicCategoryType

type AUCodeSetsWellbeingCharacteristicCategoryType string

func AUCodeSetsWellbeingCharacteristicCategoryTypePointer

func AUCodeSetsWellbeingCharacteristicCategoryTypePointer(value interface{}) (*AUCodeSetsWellbeingCharacteristicCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingCharacteristicCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingCharacteristicCategoryType) String

Return string value

type AUCodeSetsWellbeingCharacteristicClassificationType

type AUCodeSetsWellbeingCharacteristicClassificationType string

func AUCodeSetsWellbeingCharacteristicClassificationTypePointer

func AUCodeSetsWellbeingCharacteristicClassificationTypePointer(value interface{}) (*AUCodeSetsWellbeingCharacteristicClassificationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingCharacteristicClassificationType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingCharacteristicClassificationType) String

Return string value

type AUCodeSetsWellbeingCharacteristicSubCategoryType

type AUCodeSetsWellbeingCharacteristicSubCategoryType string

func AUCodeSetsWellbeingCharacteristicSubCategoryTypePointer

func AUCodeSetsWellbeingCharacteristicSubCategoryTypePointer(value interface{}) (*AUCodeSetsWellbeingCharacteristicSubCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingCharacteristicSubCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingCharacteristicSubCategoryType) String

Return string value

type AUCodeSetsWellbeingEventCategoryClassType

type AUCodeSetsWellbeingEventCategoryClassType string

func AUCodeSetsWellbeingEventCategoryClassTypePointer

func AUCodeSetsWellbeingEventCategoryClassTypePointer(value interface{}) (*AUCodeSetsWellbeingEventCategoryClassType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingEventCategoryClassType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingEventCategoryClassType) String

Return string value

type AUCodeSetsWellbeingEventLocationType

type AUCodeSetsWellbeingEventLocationType string

func AUCodeSetsWellbeingEventLocationTypePointer

func AUCodeSetsWellbeingEventLocationTypePointer(value interface{}) (*AUCodeSetsWellbeingEventLocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingEventLocationType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingEventLocationType) String

Return string value

type AUCodeSetsWellbeingEventTimePeriodType

type AUCodeSetsWellbeingEventTimePeriodType string

func AUCodeSetsWellbeingEventTimePeriodTypePointer

func AUCodeSetsWellbeingEventTimePeriodTypePointer(value interface{}) (*AUCodeSetsWellbeingEventTimePeriodType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingEventTimePeriodType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingEventTimePeriodType) String

Return string value

type AUCodeSetsWellbeingResponseCategoryType

type AUCodeSetsWellbeingResponseCategoryType string

func AUCodeSetsWellbeingResponseCategoryTypePointer

func AUCodeSetsWellbeingResponseCategoryTypePointer(value interface{}) (*AUCodeSetsWellbeingResponseCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingResponseCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingResponseCategoryType) String

Return string value

type AUCodeSetsWellbeingStatusType

type AUCodeSetsWellbeingStatusType string

func AUCodeSetsWellbeingStatusTypePointer

func AUCodeSetsWellbeingStatusTypePointer(value interface{}) (*AUCodeSetsWellbeingStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsWellbeingStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsWellbeingStatusType) String

Return string value

type AUCodeSetsYearLevelCodeType

type AUCodeSetsYearLevelCodeType string

func AUCodeSetsYearLevelCodeTypePointer

func AUCodeSetsYearLevelCodeTypePointer(value interface{}) (*AUCodeSetsYearLevelCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsYearLevelCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsYearLevelCodeType) String

func (t *AUCodeSetsYearLevelCodeType) String() string

Return string value

type AUCodeSetsYesOrNoCategoryType

type AUCodeSetsYesOrNoCategoryType string

func AUCodeSetsYesOrNoCategoryTypePointer

func AUCodeSetsYesOrNoCategoryTypePointer(value interface{}) (*AUCodeSetsYesOrNoCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches AUCodeSetsYesOrNoCategoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*AUCodeSetsYesOrNoCategoryType) String

Return string value

type AbstractContentElementType

type AbstractContentElementType struct {
	// contains filtered or unexported fields
}

func AbstractContentElementTypePointer

func AbstractContentElementTypePointer(value interface{}) (*AbstractContentElementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAbstractContentElementType added in v0.1.0

func NewAbstractContentElementType() *AbstractContentElementType

Generates a new object as a pointer to a struct

func (*AbstractContentElementType) BinaryData

func (s *AbstractContentElementType) BinaryData() *BinaryDataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AbstractContentElementType) BinaryData_IsNil

func (s *AbstractContentElementType) BinaryData_IsNil() bool

Returns whether the element value for BinaryData is nil in the container AbstractContentElementType.

func (*AbstractContentElementType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AbstractContentElementType) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AbstractContentElementType) RefId_IsNil

func (s *AbstractContentElementType) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container AbstractContentElementType.

func (*AbstractContentElementType) Reference

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AbstractContentElementType) Reference_IsNil

func (s *AbstractContentElementType) Reference_IsNil() bool

Returns whether the element value for Reference is nil in the container AbstractContentElementType.

func (*AbstractContentElementType) SetProperties

func (n *AbstractContentElementType) SetProperties(props ...Prop) *AbstractContentElementType

Set a sequence of properties

func (*AbstractContentElementType) SetProperty

func (n *AbstractContentElementType) SetProperty(key string, value interface{}) *AbstractContentElementType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AbstractContentElementType) TextData

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AbstractContentElementType) TextData_IsNil

func (s *AbstractContentElementType) TextData_IsNil() bool

Returns whether the element value for TextData is nil in the container AbstractContentElementType.

func (*AbstractContentElementType) Unset

Set the value of a property to nil

func (*AbstractContentElementType) XMLData

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AbstractContentElementType) XMLData_IsNil

func (s *AbstractContentElementType) XMLData_IsNil() bool

Returns whether the element value for XMLData is nil in the container AbstractContentElementType.

type AccountCodeListType

type AccountCodeListType struct {
	// contains filtered or unexported fields
}

func AccountCodeListTypePointer

func AccountCodeListTypePointer(value interface{}) (*AccountCodeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAccountCodeListType added in v0.1.0

func NewAccountCodeListType() *AccountCodeListType

Generates a new object as a pointer to a struct

func (*AccountCodeListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AccountCodeListType) Append

func (t *AccountCodeListType) Append(values ...string) *AccountCodeListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AccountCodeListType) AppendString

func (t *AccountCodeListType) AppendString(value string) *AccountCodeListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*AccountCodeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AccountCodeListType) Index

func (t *AccountCodeListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AccountCodeListType) Last

func (t *AccountCodeListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AccountCodeListType) Len

func (t *AccountCodeListType) Len() int

Length of the list.

func (*AccountCodeListType) ToSlice added in v0.1.0

func (t *AccountCodeListType) ToSlice() []*string

Convert list object to slice

type Activity

type Activity struct {
	// contains filtered or unexported fields
}

func ActivityPointer

func ActivityPointer(value interface{}) (*Activity, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func ActivitySlice

func ActivitySlice() []*Activity

Create a slice of pointers to the object type

func NewActivity added in v0.1.0

func NewActivity() *Activity

Generates a new object as a pointer to a struct

func (*Activity) ActivityTime

func (s *Activity) ActivityTime() *ActivityTimeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) ActivityTime_IsNil

func (s *Activity) ActivityTime_IsNil() bool

Returns whether the element value for ActivityTime is nil in the container Activity.

func (*Activity) ActivityWeight

func (s *Activity) ActivityWeight() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) ActivityWeight_IsNil

func (s *Activity) ActivityWeight_IsNil() bool

Returns whether the element value for ActivityWeight is nil in the container Activity.

func (*Activity) AssessmentRefId

func (s *Activity) AssessmentRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) AssessmentRefId_IsNil

func (s *Activity) AssessmentRefId_IsNil() bool

Returns whether the element value for AssessmentRefId is nil in the container Activity.

func (*Activity) Clone

func (t *Activity) Clone() *Activity

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Activity) EssentialMaterials

func (s *Activity) EssentialMaterials() *EssentialMaterialsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) EssentialMaterials_IsNil

func (s *Activity) EssentialMaterials_IsNil() bool

Returns whether the element value for EssentialMaterials is nil in the container Activity.

func (*Activity) Evaluation

func (s *Activity) Evaluation() *ActivityEvaluationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Evaluation_IsNil

func (s *Activity) Evaluation_IsNil() bool

Returns whether the element value for Evaluation is nil in the container Activity.

func (*Activity) LearningObjectives

func (s *Activity) LearningObjectives() *LearningObjectivesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) LearningObjectives_IsNil

func (s *Activity) LearningObjectives_IsNil() bool

Returns whether the element value for LearningObjectives is nil in the container Activity.

func (*Activity) LearningResources

func (s *Activity) LearningResources() *LearningResourcesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) LearningResources_IsNil

func (s *Activity) LearningResources_IsNil() bool

Returns whether the element value for LearningResources is nil in the container Activity.

func (*Activity) LearningStandards

func (s *Activity) LearningStandards() *LearningStandardsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) LearningStandards_IsNil

func (s *Activity) LearningStandards_IsNil() bool

Returns whether the element value for LearningStandards is nil in the container Activity.

func (*Activity) LocalCodeList

func (s *Activity) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) LocalCodeList_IsNil

func (s *Activity) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container Activity.

func (*Activity) MaxAttemptsAllowed

func (s *Activity) MaxAttemptsAllowed() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) MaxAttemptsAllowed_IsNil

func (s *Activity) MaxAttemptsAllowed_IsNil() bool

Returns whether the element value for MaxAttemptsAllowed is nil in the container Activity.

func (*Activity) Points

func (s *Activity) Points() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Points_IsNil

func (s *Activity) Points_IsNil() bool

Returns whether the element value for Points is nil in the container Activity.

func (*Activity) Preamble

func (s *Activity) Preamble() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Preamble_IsNil

func (s *Activity) Preamble_IsNil() bool

Returns whether the element value for Preamble is nil in the container Activity.

func (*Activity) Prerequisites

func (s *Activity) Prerequisites() *PrerequisitesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Prerequisites_IsNil

func (s *Activity) Prerequisites_IsNil() bool

Returns whether the element value for Prerequisites is nil in the container Activity.

func (*Activity) RefId

func (s *Activity) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) RefId_IsNil

func (s *Activity) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container Activity.

func (*Activity) SIF_ExtendedElements

func (s *Activity) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) SIF_ExtendedElements_IsNil

func (s *Activity) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container Activity.

func (*Activity) SIF_Metadata

func (s *Activity) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) SIF_Metadata_IsNil

func (s *Activity) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container Activity.

func (*Activity) SetProperties

func (n *Activity) SetProperties(props ...Prop) *Activity

Set a sequence of properties

func (*Activity) SetProperty

func (n *Activity) SetProperty(key string, value interface{}) *Activity

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Activity) SoftwareRequirementList

func (s *Activity) SoftwareRequirementList() *SoftwareRequirementListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) SoftwareRequirementList_IsNil

func (s *Activity) SoftwareRequirementList_IsNil() bool

Returns whether the element value for SoftwareRequirementList is nil in the container Activity.

func (*Activity) SourceObjects

func (s *Activity) SourceObjects() *SourceObjectsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) SourceObjects_IsNil

func (s *Activity) SourceObjects_IsNil() bool

Returns whether the element value for SourceObjects is nil in the container Activity.

func (*Activity) Students

func (s *Activity) Students() *StudentsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Students_IsNil

func (s *Activity) Students_IsNil() bool

Returns whether the element value for Students is nil in the container Activity.

func (*Activity) SubjectArea

func (s *Activity) SubjectArea() *SubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) SubjectArea_IsNil

func (s *Activity) SubjectArea_IsNil() bool

Returns whether the element value for SubjectArea is nil in the container Activity.

func (*Activity) TechnicalRequirements

func (s *Activity) TechnicalRequirements() *TechnicalRequirementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) TechnicalRequirements_IsNil

func (s *Activity) TechnicalRequirements_IsNil() bool

Returns whether the element value for TechnicalRequirements is nil in the container Activity.

func (*Activity) Title

func (s *Activity) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Activity) Title_IsNil

func (s *Activity) Title_IsNil() bool

Returns whether the element value for Title is nil in the container Activity.

func (*Activity) Unset

func (n *Activity) Unset(key string) *Activity

Set the value of a property to nil

type ActivityEvaluationType

type ActivityEvaluationType struct {
	// contains filtered or unexported fields
}

func ActivityEvaluationTypePointer

func ActivityEvaluationTypePointer(value interface{}) (*ActivityEvaluationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewActivityEvaluationType added in v0.1.0

func NewActivityEvaluationType() *ActivityEvaluationType

Generates a new object as a pointer to a struct

func (*ActivityEvaluationType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ActivityEvaluationType) Description

func (s *ActivityEvaluationType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityEvaluationType) Description_IsNil

func (s *ActivityEvaluationType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ActivityEvaluationType.

func (*ActivityEvaluationType) EvaluationType

func (s *ActivityEvaluationType) EvaluationType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityEvaluationType) EvaluationType_IsNil

func (s *ActivityEvaluationType) EvaluationType_IsNil() bool

Returns whether the element value for EvaluationType is nil in the container ActivityEvaluationType.

func (*ActivityEvaluationType) SetProperties

func (n *ActivityEvaluationType) SetProperties(props ...Prop) *ActivityEvaluationType

Set a sequence of properties

func (*ActivityEvaluationType) SetProperty

func (n *ActivityEvaluationType) SetProperty(key string, value interface{}) *ActivityEvaluationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ActivityEvaluationType) Unset

Set the value of a property to nil

type ActivityTimeType

type ActivityTimeType struct {
	// contains filtered or unexported fields
}

func ActivityTimeTypePointer

func ActivityTimeTypePointer(value interface{}) (*ActivityTimeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewActivityTimeType added in v0.1.0

func NewActivityTimeType() *ActivityTimeType

Generates a new object as a pointer to a struct

func (*ActivityTimeType) Clone

func (t *ActivityTimeType) Clone() *ActivityTimeType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ActivityTimeType) CreationDate

func (s *ActivityTimeType) CreationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityTimeType) CreationDate_IsNil

func (s *ActivityTimeType) CreationDate_IsNil() bool

Returns whether the element value for CreationDate is nil in the container ActivityTimeType.

func (*ActivityTimeType) DueDate

func (s *ActivityTimeType) DueDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityTimeType) DueDate_IsNil

func (s *ActivityTimeType) DueDate_IsNil() bool

Returns whether the element value for DueDate is nil in the container ActivityTimeType.

func (*ActivityTimeType) Duration

func (s *ActivityTimeType) Duration() *DurationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityTimeType) Duration_IsNil

func (s *ActivityTimeType) Duration_IsNil() bool

Returns whether the element value for Duration is nil in the container ActivityTimeType.

func (*ActivityTimeType) FinishDate

func (s *ActivityTimeType) FinishDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityTimeType) FinishDate_IsNil

func (s *ActivityTimeType) FinishDate_IsNil() bool

Returns whether the element value for FinishDate is nil in the container ActivityTimeType.

func (*ActivityTimeType) SetProperties

func (n *ActivityTimeType) SetProperties(props ...Prop) *ActivityTimeType

Set a sequence of properties

func (*ActivityTimeType) SetProperty

func (n *ActivityTimeType) SetProperty(key string, value interface{}) *ActivityTimeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ActivityTimeType) StartDate

func (s *ActivityTimeType) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ActivityTimeType) StartDate_IsNil

func (s *ActivityTimeType) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container ActivityTimeType.

func (*ActivityTimeType) Unset

func (n *ActivityTimeType) Unset(key string) *ActivityTimeType

Set the value of a property to nil

type Activitys

type Activitys struct {
	// contains filtered or unexported fields
}

func ActivitysPointer added in v0.1.0

func ActivitysPointer(value interface{}) (*Activitys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewActivitys added in v0.1.0

func NewActivitys() *Activitys

Generates a new object as a pointer to a struct

func (*Activitys) AddNew added in v0.1.0

func (t *Activitys) AddNew() *Activitys

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*Activitys) Append added in v0.1.0

func (t *Activitys) Append(values ...*Activity) *Activitys

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Activitys) Clone added in v0.1.0

func (t *Activitys) Clone() *Activitys

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Activitys) Index added in v0.1.0

func (t *Activitys) Index(n int) *Activity

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*Activitys) Last added in v0.1.0

func (t *Activitys) Last() *activity

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*Activitys) Len added in v0.1.0

func (t *Activitys) Len() int

Length of the list.

func (*Activitys) ToSlice added in v0.1.0

func (t *Activitys) ToSlice() []*Activity

Convert list object to slice

type AddressCollection

type AddressCollection struct {
	// contains filtered or unexported fields
}

func AddressCollectionPointer

func AddressCollectionPointer(value interface{}) (*AddressCollection, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func AddressCollectionSlice

func AddressCollectionSlice() []*AddressCollection

Create a slice of pointers to the object type

func NewAddressCollection added in v0.1.0

func NewAddressCollection() *AddressCollection

Generates a new object as a pointer to a struct

func (*AddressCollection) AddressCollectionReportingList

func (s *AddressCollection) AddressCollectionReportingList() *AddressCollectionReportingListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) AddressCollectionReportingList_IsNil

func (s *AddressCollection) AddressCollectionReportingList_IsNil() bool

Returns whether the element value for AddressCollectionReportingList is nil in the container AddressCollection.

func (*AddressCollection) AddressCollectionYear

func (s *AddressCollection) AddressCollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) AddressCollectionYear_IsNil

func (s *AddressCollection) AddressCollectionYear_IsNil() bool

Returns whether the element value for AddressCollectionYear is nil in the container AddressCollection.

func (*AddressCollection) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollection) LocalCodeList

func (s *AddressCollection) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) LocalCodeList_IsNil

func (s *AddressCollection) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container AddressCollection.

func (*AddressCollection) RefId

func (s *AddressCollection) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) RefId_IsNil

func (s *AddressCollection) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container AddressCollection.

func (*AddressCollection) RoundCode

func (s *AddressCollection) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) RoundCode_IsNil

func (s *AddressCollection) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container AddressCollection.

func (*AddressCollection) SIF_ExtendedElements

func (s *AddressCollection) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) SIF_ExtendedElements_IsNil

func (s *AddressCollection) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container AddressCollection.

func (*AddressCollection) SIF_Metadata

func (s *AddressCollection) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) SIF_Metadata_IsNil

func (s *AddressCollection) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container AddressCollection.

func (*AddressCollection) SetProperties

func (n *AddressCollection) SetProperties(props ...Prop) *AddressCollection

Set a sequence of properties

func (*AddressCollection) SetProperty

func (n *AddressCollection) SetProperty(key string, value interface{}) *AddressCollection

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollection) SoftwareVendorInfo

func (s *AddressCollection) SoftwareVendorInfo() *SoftwareVendorInfoContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollection) SoftwareVendorInfo_IsNil

func (s *AddressCollection) SoftwareVendorInfo_IsNil() bool

Returns whether the element value for SoftwareVendorInfo is nil in the container AddressCollection.

func (*AddressCollection) Unset

Set the value of a property to nil

type AddressCollectionReportingListType

type AddressCollectionReportingListType struct {
	// contains filtered or unexported fields
}

func AddressCollectionReportingListTypePointer

func AddressCollectionReportingListTypePointer(value interface{}) (*AddressCollectionReportingListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressCollectionReportingListType added in v0.1.0

func NewAddressCollectionReportingListType() *AddressCollectionReportingListType

Generates a new object as a pointer to a struct

func (*AddressCollectionReportingListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AddressCollectionReportingListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollectionReportingListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollectionReportingListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AddressCollectionReportingListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AddressCollectionReportingListType) Len

Length of the list.

func (*AddressCollectionReportingListType) ToSlice added in v0.1.0

Convert list object to slice

type AddressCollectionReportingType

type AddressCollectionReportingType struct {
	// contains filtered or unexported fields
}

func AddressCollectionReportingTypePointer

func AddressCollectionReportingTypePointer(value interface{}) (*AddressCollectionReportingType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressCollectionReportingType added in v0.1.0

func NewAddressCollectionReportingType() *AddressCollectionReportingType

Generates a new object as a pointer to a struct

func (*AddressCollectionReportingType) AGContextualQuestionList

func (s *AddressCollectionReportingType) AGContextualQuestionList() *AGContextualQuestionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionReportingType) AGContextualQuestionList_IsNil

func (s *AddressCollectionReportingType) AGContextualQuestionList_IsNil() bool

Returns whether the element value for AGContextualQuestionList is nil in the container AddressCollectionReportingType.

func (*AddressCollectionReportingType) AddressCollectionStudentList

func (s *AddressCollectionReportingType) AddressCollectionStudentList() *AddressCollectionStudentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionReportingType) AddressCollectionStudentList_IsNil

func (s *AddressCollectionReportingType) AddressCollectionStudentList_IsNil() bool

Returns whether the element value for AddressCollectionStudentList is nil in the container AddressCollectionReportingType.

func (*AddressCollectionReportingType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollectionReportingType) CommonwealthId

func (s *AddressCollectionReportingType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionReportingType) CommonwealthId_IsNil

func (s *AddressCollectionReportingType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container AddressCollectionReportingType.

func (*AddressCollectionReportingType) EntityContact

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionReportingType) EntityContact_IsNil

func (s *AddressCollectionReportingType) EntityContact_IsNil() bool

Returns whether the element value for EntityContact is nil in the container AddressCollectionReportingType.

func (*AddressCollectionReportingType) EntityName

func (s *AddressCollectionReportingType) EntityName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionReportingType) EntityName_IsNil

func (s *AddressCollectionReportingType) EntityName_IsNil() bool

Returns whether the element value for EntityName is nil in the container AddressCollectionReportingType.

func (*AddressCollectionReportingType) SetProperties

Set a sequence of properties

func (*AddressCollectionReportingType) SetProperty

func (n *AddressCollectionReportingType) SetProperty(key string, value interface{}) *AddressCollectionReportingType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollectionReportingType) Unset

Set the value of a property to nil

type AddressCollectionStudentListType

type AddressCollectionStudentListType struct {
	// contains filtered or unexported fields
}

func AddressCollectionStudentListTypePointer

func AddressCollectionStudentListTypePointer(value interface{}) (*AddressCollectionStudentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressCollectionStudentListType added in v0.1.0

func NewAddressCollectionStudentListType() *AddressCollectionStudentListType

Generates a new object as a pointer to a struct

func (*AddressCollectionStudentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AddressCollectionStudentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollectionStudentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollectionStudentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AddressCollectionStudentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AddressCollectionStudentListType) Len

Length of the list.

func (*AddressCollectionStudentListType) ToSlice added in v0.1.0

Convert list object to slice

type AddressCollectionStudentType

type AddressCollectionStudentType struct {
	// contains filtered or unexported fields
}

func AddressCollectionStudentTypePointer

func AddressCollectionStudentTypePointer(value interface{}) (*AddressCollectionStudentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressCollectionStudentType added in v0.1.0

func NewAddressCollectionStudentType() *AddressCollectionStudentType

Generates a new object as a pointer to a struct

func (*AddressCollectionStudentType) BoardingStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) BoardingStatus_IsNil

func (s *AddressCollectionStudentType) BoardingStatus_IsNil() bool

Returns whether the element value for BoardingStatus is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollectionStudentType) EducationLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) EducationLevel_IsNil

func (s *AddressCollectionStudentType) EducationLevel_IsNil() bool

Returns whether the element value for EducationLevel is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) LocalId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) LocalId_IsNil

func (s *AddressCollectionStudentType) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) Parent1

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) Parent1_IsNil

func (s *AddressCollectionStudentType) Parent1_IsNil() bool

Returns whether the element value for Parent1 is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) Parent2

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) Parent2_IsNil

func (s *AddressCollectionStudentType) Parent2_IsNil() bool

Returns whether the element value for Parent2 is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) ReportingParent2

func (s *AddressCollectionStudentType) ReportingParent2() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) ReportingParent2_IsNil

func (s *AddressCollectionStudentType) ReportingParent2_IsNil() bool

Returns whether the element value for ReportingParent2 is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) SetProperties

Set a sequence of properties

func (*AddressCollectionStudentType) SetProperty

func (n *AddressCollectionStudentType) SetProperty(key string, value interface{}) *AddressCollectionStudentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollectionStudentType) StudentAddress

func (s *AddressCollectionStudentType) StudentAddress() *AddressType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressCollectionStudentType) StudentAddress_IsNil

func (s *AddressCollectionStudentType) StudentAddress_IsNil() bool

Returns whether the element value for StudentAddress is nil in the container AddressCollectionStudentType.

func (*AddressCollectionStudentType) Unset

Set the value of a property to nil

type AddressCollections

type AddressCollections struct {
	// contains filtered or unexported fields
}

func AddressCollectionsPointer added in v0.1.0

func AddressCollectionsPointer(value interface{}) (*AddressCollections, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressCollections added in v0.1.0

func NewAddressCollections() *AddressCollections

Generates a new object as a pointer to a struct

func (*AddressCollections) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AddressCollections) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressCollections) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressCollections) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*AddressCollections) Last added in v0.1.0

func (t *AddressCollections) Last() *addresscollection

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AddressCollections) Len added in v0.1.0

func (t *AddressCollections) Len() int

Length of the list.

func (*AddressCollections) ToSlice added in v0.1.0

func (t *AddressCollections) ToSlice() []*AddressCollection

Convert list object to slice

type AddressListType

type AddressListType struct {
	// contains filtered or unexported fields
}

func AddressListTypePointer

func AddressListTypePointer(value interface{}) (*AddressListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressListType added in v0.1.0

func NewAddressListType() *AddressListType

Generates a new object as a pointer to a struct

func (*AddressListType) AddNew

func (t *AddressListType) AddNew() *AddressListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AddressListType) Append

func (t *AddressListType) Append(values ...AddressType) *AddressListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressListType) Clone

func (t *AddressListType) Clone() *AddressListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressListType) Index

func (t *AddressListType) Index(n int) *AddressType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AddressListType) Last

func (t *AddressListType) Last() *AddressType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AddressListType) Len

func (t *AddressListType) Len() int

Length of the list.

func (*AddressListType) ToSlice added in v0.1.0

func (t *AddressListType) ToSlice() []*AddressType

Convert list object to slice

type AddressStreetType

type AddressStreetType struct {
	// contains filtered or unexported fields
}

func AddressStreetTypePointer

func AddressStreetTypePointer(value interface{}) (*AddressStreetType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressStreetType added in v0.1.0

func NewAddressStreetType() *AddressStreetType

Generates a new object as a pointer to a struct

func (*AddressStreetType) ApartmentNumber

func (s *AddressStreetType) ApartmentNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) ApartmentNumberPrefix

func (s *AddressStreetType) ApartmentNumberPrefix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) ApartmentNumberPrefix_IsNil

func (s *AddressStreetType) ApartmentNumberPrefix_IsNil() bool

Returns whether the element value for ApartmentNumberPrefix is nil in the container AddressStreetType.

func (*AddressStreetType) ApartmentNumberSuffix

func (s *AddressStreetType) ApartmentNumberSuffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) ApartmentNumberSuffix_IsNil

func (s *AddressStreetType) ApartmentNumberSuffix_IsNil() bool

Returns whether the element value for ApartmentNumberSuffix is nil in the container AddressStreetType.

func (*AddressStreetType) ApartmentNumber_IsNil

func (s *AddressStreetType) ApartmentNumber_IsNil() bool

Returns whether the element value for ApartmentNumber is nil in the container AddressStreetType.

func (*AddressStreetType) ApartmentType

func (s *AddressStreetType) ApartmentType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) ApartmentType_IsNil

func (s *AddressStreetType) ApartmentType_IsNil() bool

Returns whether the element value for ApartmentType is nil in the container AddressStreetType.

func (*AddressStreetType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressStreetType) Complex

func (s *AddressStreetType) Complex() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) Complex_IsNil

func (s *AddressStreetType) Complex_IsNil() bool

Returns whether the element value for Complex is nil in the container AddressStreetType.

func (*AddressStreetType) Line1

func (s *AddressStreetType) Line1() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) Line1_IsNil

func (s *AddressStreetType) Line1_IsNil() bool

Returns whether the element value for Line1 is nil in the container AddressStreetType.

func (*AddressStreetType) Line2

func (s *AddressStreetType) Line2() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) Line2_IsNil

func (s *AddressStreetType) Line2_IsNil() bool

Returns whether the element value for Line2 is nil in the container AddressStreetType.

func (*AddressStreetType) Line3

func (s *AddressStreetType) Line3() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) Line3_IsNil

func (s *AddressStreetType) Line3_IsNil() bool

Returns whether the element value for Line3 is nil in the container AddressStreetType.

func (*AddressStreetType) SetProperties

func (n *AddressStreetType) SetProperties(props ...Prop) *AddressStreetType

Set a sequence of properties

func (*AddressStreetType) SetProperty

func (n *AddressStreetType) SetProperty(key string, value interface{}) *AddressStreetType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressStreetType) StreetName

func (s *AddressStreetType) StreetName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) StreetName_IsNil

func (s *AddressStreetType) StreetName_IsNil() bool

Returns whether the element value for StreetName is nil in the container AddressStreetType.

func (*AddressStreetType) StreetNumber

func (s *AddressStreetType) StreetNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) StreetNumber_IsNil

func (s *AddressStreetType) StreetNumber_IsNil() bool

Returns whether the element value for StreetNumber is nil in the container AddressStreetType.

func (*AddressStreetType) StreetPrefix

func (s *AddressStreetType) StreetPrefix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) StreetPrefix_IsNil

func (s *AddressStreetType) StreetPrefix_IsNil() bool

Returns whether the element value for StreetPrefix is nil in the container AddressStreetType.

func (*AddressStreetType) StreetSuffix

func (s *AddressStreetType) StreetSuffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) StreetSuffix_IsNil

func (s *AddressStreetType) StreetSuffix_IsNil() bool

Returns whether the element value for StreetSuffix is nil in the container AddressStreetType.

func (*AddressStreetType) StreetType

func (s *AddressStreetType) StreetType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressStreetType) StreetType_IsNil

func (s *AddressStreetType) StreetType_IsNil() bool

Returns whether the element value for StreetType is nil in the container AddressStreetType.

func (*AddressStreetType) Unset

Set the value of a property to nil

type AddressType

type AddressType struct {
	// contains filtered or unexported fields
}

func AddressTypePointer

func AddressTypePointer(value interface{}) (*AddressType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAddressType added in v0.1.0

func NewAddressType() *AddressType

Generates a new object as a pointer to a struct

func (*AddressType) AddressGlobalUID

func (s *AddressType) AddressGlobalUID() *GUIDType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) AddressGlobalUID_IsNil

func (s *AddressType) AddressGlobalUID_IsNil() bool

Returns whether the element value for AddressGlobalUID is nil in the container AddressType.

func (*AddressType) City

func (s *AddressType) City() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) City_IsNil

func (s *AddressType) City_IsNil() bool

Returns whether the element value for City is nil in the container AddressType.

func (*AddressType) Clone

func (t *AddressType) Clone() *AddressType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AddressType) Community

func (s *AddressType) Community() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) Community_IsNil

func (s *AddressType) Community_IsNil() bool

Returns whether the element value for Community is nil in the container AddressType.

func (*AddressType) Country

func (s *AddressType) Country() *CountryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) Country_IsNil

func (s *AddressType) Country_IsNil() bool

Returns whether the element value for Country is nil in the container AddressType.

func (*AddressType) EffectiveFromDate

func (s *AddressType) EffectiveFromDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) EffectiveFromDate_IsNil

func (s *AddressType) EffectiveFromDate_IsNil() bool

Returns whether the element value for EffectiveFromDate is nil in the container AddressType.

func (*AddressType) EffectiveToDate

func (s *AddressType) EffectiveToDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) EffectiveToDate_IsNil

func (s *AddressType) EffectiveToDate_IsNil() bool

Returns whether the element value for EffectiveToDate is nil in the container AddressType.

func (*AddressType) GridLocation

func (s *AddressType) GridLocation() *GridLocationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) GridLocation_IsNil

func (s *AddressType) GridLocation_IsNil() bool

Returns whether the element value for GridLocation is nil in the container AddressType.

func (*AddressType) LocalId

func (s *AddressType) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) LocalId_IsNil

func (s *AddressType) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container AddressType.

func (*AddressType) MapReference

func (s *AddressType) MapReference() *MapReferenceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) MapReference_IsNil

func (s *AddressType) MapReference_IsNil() bool

Returns whether the element value for MapReference is nil in the container AddressType.

func (*AddressType) PostalCode

func (s *AddressType) PostalCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) PostalCode_IsNil

func (s *AddressType) PostalCode_IsNil() bool

Returns whether the element value for PostalCode is nil in the container AddressType.

func (*AddressType) RadioContact

func (s *AddressType) RadioContact() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) RadioContact_IsNil

func (s *AddressType) RadioContact_IsNil() bool

Returns whether the element value for RadioContact is nil in the container AddressType.

func (*AddressType) Role

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) Role_IsNil

func (s *AddressType) Role_IsNil() bool

Returns whether the element value for Role is nil in the container AddressType.

func (*AddressType) SetProperties

func (n *AddressType) SetProperties(props ...Prop) *AddressType

Set a sequence of properties

func (*AddressType) SetProperty

func (n *AddressType) SetProperty(key string, value interface{}) *AddressType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AddressType) StateProvince

func (s *AddressType) StateProvince() *StateProvinceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) StateProvince_IsNil

func (s *AddressType) StateProvince_IsNil() bool

Returns whether the element value for StateProvince is nil in the container AddressType.

func (*AddressType) StatisticalAreas

func (s *AddressType) StatisticalAreas() *StatisticalAreasType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) StatisticalAreas_IsNil

func (s *AddressType) StatisticalAreas_IsNil() bool

Returns whether the element value for StatisticalAreas is nil in the container AddressType.

func (*AddressType) Street

func (s *AddressType) Street() *AddressStreetType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) Street_IsNil

func (s *AddressType) Street_IsNil() bool

Returns whether the element value for Street is nil in the container AddressType.

func (*AddressType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AddressType) Type_IsNil

func (s *AddressType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container AddressType.

func (*AddressType) Unset

func (n *AddressType) Unset(key string) *AddressType

Set the value of a property to nil

type AdjustmentContainerType

type AdjustmentContainerType struct {
	// contains filtered or unexported fields
}

func AdjustmentContainerTypePointer

func AdjustmentContainerTypePointer(value interface{}) (*AdjustmentContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAdjustmentContainerType added in v0.1.0

func NewAdjustmentContainerType() *AdjustmentContainerType

Generates a new object as a pointer to a struct

func (*AdjustmentContainerType) BookletType

func (s *AdjustmentContainerType) BookletType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AdjustmentContainerType) BookletType_IsNil

func (s *AdjustmentContainerType) BookletType_IsNil() bool

Returns whether the element value for BookletType is nil in the container AdjustmentContainerType.

func (*AdjustmentContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AdjustmentContainerType) PNPCodeList

func (s *AdjustmentContainerType) PNPCodeList() *PNPCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AdjustmentContainerType) PNPCodeList_IsNil

func (s *AdjustmentContainerType) PNPCodeList_IsNil() bool

Returns whether the element value for PNPCodeList is nil in the container AdjustmentContainerType.

func (*AdjustmentContainerType) SetProperties

func (n *AdjustmentContainerType) SetProperties(props ...Prop) *AdjustmentContainerType

Set a sequence of properties

func (*AdjustmentContainerType) SetProperty

func (n *AdjustmentContainerType) SetProperty(key string, value interface{}) *AdjustmentContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AdjustmentContainerType) Unset

Set the value of a property to nil

type AgencyType

type AgencyType struct {
	// contains filtered or unexported fields
}

func AgencyTypePointer

func AgencyTypePointer(value interface{}) (*AgencyType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAgencyType added in v0.1.0

func NewAgencyType() *AgencyType

Generates a new object as a pointer to a struct

func (*AgencyType) Clone

func (t *AgencyType) Clone() *AgencyType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AgencyType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AgencyType) Code_IsNil

func (s *AgencyType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container AgencyType.

func (*AgencyType) OtherCodeList

func (s *AgencyType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AgencyType) OtherCodeList_IsNil

func (s *AgencyType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container AgencyType.

func (*AgencyType) SetProperties

func (n *AgencyType) SetProperties(props ...Prop) *AgencyType

Set a sequence of properties

func (*AgencyType) SetProperty

func (n *AgencyType) SetProperty(key string, value interface{}) *AgencyType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AgencyType) Unset

func (n *AgencyType) Unset(key string) *AgencyType

Set the value of a property to nil

type AggregateCharacteristicInfo

type AggregateCharacteristicInfo struct {
	// contains filtered or unexported fields
}

func AggregateCharacteristicInfoPointer

func AggregateCharacteristicInfoPointer(value interface{}) (*AggregateCharacteristicInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func AggregateCharacteristicInfoSlice

func AggregateCharacteristicInfoSlice() []*AggregateCharacteristicInfo

Create a slice of pointers to the object type

func NewAggregateCharacteristicInfo added in v0.1.0

func NewAggregateCharacteristicInfo() *AggregateCharacteristicInfo

Generates a new object as a pointer to a struct

func (*AggregateCharacteristicInfo) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateCharacteristicInfo) Definition

func (s *AggregateCharacteristicInfo) Definition() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) Definition_IsNil

func (s *AggregateCharacteristicInfo) Definition_IsNil() bool

Returns whether the element value for Definition is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) Description

func (s *AggregateCharacteristicInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) Description_IsNil

func (s *AggregateCharacteristicInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) ElementName

func (s *AggregateCharacteristicInfo) ElementName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) ElementName_IsNil

func (s *AggregateCharacteristicInfo) ElementName_IsNil() bool

Returns whether the element value for ElementName is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) LocalCodeList

func (s *AggregateCharacteristicInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) LocalCodeList_IsNil

func (s *AggregateCharacteristicInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) RefId_IsNil

func (s *AggregateCharacteristicInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) SIF_ExtendedElements

func (s *AggregateCharacteristicInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) SIF_ExtendedElements_IsNil

func (s *AggregateCharacteristicInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) SIF_Metadata

func (s *AggregateCharacteristicInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateCharacteristicInfo) SIF_Metadata_IsNil

func (s *AggregateCharacteristicInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container AggregateCharacteristicInfo.

func (*AggregateCharacteristicInfo) SetProperties

func (n *AggregateCharacteristicInfo) SetProperties(props ...Prop) *AggregateCharacteristicInfo

Set a sequence of properties

func (*AggregateCharacteristicInfo) SetProperty

func (n *AggregateCharacteristicInfo) SetProperty(key string, value interface{}) *AggregateCharacteristicInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateCharacteristicInfo) Unset

Set the value of a property to nil

type AggregateCharacteristicInfos

type AggregateCharacteristicInfos struct {
	// contains filtered or unexported fields
}

func AggregateCharacteristicInfosPointer added in v0.1.0

func AggregateCharacteristicInfosPointer(value interface{}) (*AggregateCharacteristicInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAggregateCharacteristicInfos added in v0.1.0

func NewAggregateCharacteristicInfos() *AggregateCharacteristicInfos

Generates a new object as a pointer to a struct

func (*AggregateCharacteristicInfos) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AggregateCharacteristicInfos) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateCharacteristicInfos) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateCharacteristicInfos) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*AggregateCharacteristicInfos) Last added in v0.1.0

func (t *AggregateCharacteristicInfos) Last() *aggregatecharacteristicinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AggregateCharacteristicInfos) Len added in v0.1.0

Length of the list.

func (*AggregateCharacteristicInfos) ToSlice added in v0.1.0

Convert list object to slice

type AggregateStatisticFact

type AggregateStatisticFact struct {
	// contains filtered or unexported fields
}

func AggregateStatisticFactPointer

func AggregateStatisticFactPointer(value interface{}) (*AggregateStatisticFact, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func AggregateStatisticFactSlice

func AggregateStatisticFactSlice() []*AggregateStatisticFact

Create a slice of pointers to the object type

func NewAggregateStatisticFact added in v0.1.0

func NewAggregateStatisticFact() *AggregateStatisticFact

Generates a new object as a pointer to a struct

func (*AggregateStatisticFact) AggregateStatisticInfoRefId

func (s *AggregateStatisticFact) AggregateStatisticInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) AggregateStatisticInfoRefId_IsNil

func (s *AggregateStatisticFact) AggregateStatisticInfoRefId_IsNil() bool

Returns whether the element value for AggregateStatisticInfoRefId is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) Characteristics

func (s *AggregateStatisticFact) Characteristics() *CharacteristicsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) Characteristics_IsNil

func (s *AggregateStatisticFact) Characteristics_IsNil() bool

Returns whether the element value for Characteristics is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateStatisticFact) Excluded

func (s *AggregateStatisticFact) Excluded() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) Excluded_IsNil

func (s *AggregateStatisticFact) Excluded_IsNil() bool

Returns whether the element value for Excluded is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) LocalCodeList

func (s *AggregateStatisticFact) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) LocalCodeList_IsNil

func (s *AggregateStatisticFact) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) RefId

func (s *AggregateStatisticFact) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) RefId_IsNil

func (s *AggregateStatisticFact) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) SIF_ExtendedElements

func (s *AggregateStatisticFact) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) SIF_ExtendedElements_IsNil

func (s *AggregateStatisticFact) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) SIF_Metadata

func (s *AggregateStatisticFact) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) SIF_Metadata_IsNil

func (s *AggregateStatisticFact) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container AggregateStatisticFact.

func (*AggregateStatisticFact) SetProperties

func (n *AggregateStatisticFact) SetProperties(props ...Prop) *AggregateStatisticFact

Set a sequence of properties

func (*AggregateStatisticFact) SetProperty

func (n *AggregateStatisticFact) SetProperty(key string, value interface{}) *AggregateStatisticFact

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateStatisticFact) Unset

Set the value of a property to nil

func (*AggregateStatisticFact) Value

func (s *AggregateStatisticFact) Value() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticFact) Value_IsNil

func (s *AggregateStatisticFact) Value_IsNil() bool

Returns whether the element value for Value is nil in the container AggregateStatisticFact.

type AggregateStatisticFacts

type AggregateStatisticFacts struct {
	// contains filtered or unexported fields
}

func AggregateStatisticFactsPointer added in v0.1.0

func AggregateStatisticFactsPointer(value interface{}) (*AggregateStatisticFacts, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAggregateStatisticFacts added in v0.1.0

func NewAggregateStatisticFacts() *AggregateStatisticFacts

Generates a new object as a pointer to a struct

func (*AggregateStatisticFacts) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AggregateStatisticFacts) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateStatisticFacts) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateStatisticFacts) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*AggregateStatisticFacts) Last added in v0.1.0

func (t *AggregateStatisticFacts) Last() *aggregatestatisticfact

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AggregateStatisticFacts) Len added in v0.1.0

func (t *AggregateStatisticFacts) Len() int

Length of the list.

func (*AggregateStatisticFacts) ToSlice added in v0.1.0

Convert list object to slice

type AggregateStatisticInfo

type AggregateStatisticInfo struct {
	// contains filtered or unexported fields
}

func AggregateStatisticInfoPointer

func AggregateStatisticInfoPointer(value interface{}) (*AggregateStatisticInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func AggregateStatisticInfoSlice

func AggregateStatisticInfoSlice() []*AggregateStatisticInfo

Create a slice of pointers to the object type

func NewAggregateStatisticInfo added in v0.1.0

func NewAggregateStatisticInfo() *AggregateStatisticInfo

Generates a new object as a pointer to a struct

func (*AggregateStatisticInfo) ApprovalDate

func (s *AggregateStatisticInfo) ApprovalDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) ApprovalDate_IsNil

func (s *AggregateStatisticInfo) ApprovalDate_IsNil() bool

Returns whether the element value for ApprovalDate is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) CalculationRule

func (s *AggregateStatisticInfo) CalculationRule() *CalculationRuleType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) CalculationRule_IsNil

func (s *AggregateStatisticInfo) CalculationRule_IsNil() bool

Returns whether the element value for CalculationRule is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateStatisticInfo) DiscontinueDate

func (s *AggregateStatisticInfo) DiscontinueDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) DiscontinueDate_IsNil

func (s *AggregateStatisticInfo) DiscontinueDate_IsNil() bool

Returns whether the element value for DiscontinueDate is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) EffectiveDate

func (s *AggregateStatisticInfo) EffectiveDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) EffectiveDate_IsNil

func (s *AggregateStatisticInfo) EffectiveDate_IsNil() bool

Returns whether the element value for EffectiveDate is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) ExclusionRules

func (s *AggregateStatisticInfo) ExclusionRules() *ExclusionRulesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) ExclusionRules_IsNil

func (s *AggregateStatisticInfo) ExclusionRules_IsNil() bool

Returns whether the element value for ExclusionRules is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) ExpirationDate

func (s *AggregateStatisticInfo) ExpirationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) ExpirationDate_IsNil

func (s *AggregateStatisticInfo) ExpirationDate_IsNil() bool

Returns whether the element value for ExpirationDate is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) LocalCodeList

func (s *AggregateStatisticInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) LocalCodeList_IsNil

func (s *AggregateStatisticInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) Location

func (s *AggregateStatisticInfo) Location() *LocationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) Location_IsNil

func (s *AggregateStatisticInfo) Location_IsNil() bool

Returns whether the element value for Location is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) Measure

func (s *AggregateStatisticInfo) Measure() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) Measure_IsNil

func (s *AggregateStatisticInfo) Measure_IsNil() bool

Returns whether the element value for Measure is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) RefId

func (s *AggregateStatisticInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) RefId_IsNil

func (s *AggregateStatisticInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) SIF_ExtendedElements

func (s *AggregateStatisticInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) SIF_ExtendedElements_IsNil

func (s *AggregateStatisticInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) SIF_Metadata

func (s *AggregateStatisticInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) SIF_Metadata_IsNil

func (s *AggregateStatisticInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) SetProperties

func (n *AggregateStatisticInfo) SetProperties(props ...Prop) *AggregateStatisticInfo

Set a sequence of properties

func (*AggregateStatisticInfo) SetProperty

func (n *AggregateStatisticInfo) SetProperty(key string, value interface{}) *AggregateStatisticInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateStatisticInfo) Source

func (s *AggregateStatisticInfo) Source() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) Source_IsNil

func (s *AggregateStatisticInfo) Source_IsNil() bool

Returns whether the element value for Source is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) StatisticName

func (s *AggregateStatisticInfo) StatisticName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AggregateStatisticInfo) StatisticName_IsNil

func (s *AggregateStatisticInfo) StatisticName_IsNil() bool

Returns whether the element value for StatisticName is nil in the container AggregateStatisticInfo.

func (*AggregateStatisticInfo) Unset

Set the value of a property to nil

type AggregateStatisticInfos

type AggregateStatisticInfos struct {
	// contains filtered or unexported fields
}

func AggregateStatisticInfosPointer added in v0.1.0

func AggregateStatisticInfosPointer(value interface{}) (*AggregateStatisticInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAggregateStatisticInfos added in v0.1.0

func NewAggregateStatisticInfos() *AggregateStatisticInfos

Generates a new object as a pointer to a struct

func (*AggregateStatisticInfos) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AggregateStatisticInfos) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AggregateStatisticInfos) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AggregateStatisticInfos) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*AggregateStatisticInfos) Last added in v0.1.0

func (t *AggregateStatisticInfos) Last() *aggregatestatisticinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AggregateStatisticInfos) Len added in v0.1.0

func (t *AggregateStatisticInfos) Len() int

Length of the list.

func (*AggregateStatisticInfos) ToSlice added in v0.1.0

Convert list object to slice

type AlertMessageType

type AlertMessageType struct {
	// contains filtered or unexported fields
}

func AlertMessageTypePointer

func AlertMessageTypePointer(value interface{}) (*AlertMessageType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAlertMessageType added in v0.1.0

func NewAlertMessageType() *AlertMessageType

Generates a new object as a pointer to a struct

func (*AlertMessageType) Clone

func (t *AlertMessageType) Clone() *AlertMessageType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AlertMessageType) SetProperties

func (n *AlertMessageType) SetProperties(props ...Prop) *AlertMessageType

Set a sequence of properties

func (*AlertMessageType) SetProperty

func (n *AlertMessageType) SetProperty(key string, value interface{}) *AlertMessageType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AlertMessageType) Type

func (s *AlertMessageType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AlertMessageType) Type_IsNil

func (s *AlertMessageType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container AlertMessageType.

func (*AlertMessageType) Unset

func (n *AlertMessageType) Unset(key string) *AlertMessageType

Set the value of a property to nil

func (*AlertMessageType) Value

func (s *AlertMessageType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AlertMessageType) Value_IsNil

func (s *AlertMessageType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container AlertMessageType.

type AlertMessagesType

type AlertMessagesType struct {
	// contains filtered or unexported fields
}

func AlertMessagesTypePointer

func AlertMessagesTypePointer(value interface{}) (*AlertMessagesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAlertMessagesType added in v0.1.0

func NewAlertMessagesType() *AlertMessagesType

Generates a new object as a pointer to a struct

func (*AlertMessagesType) AddNew

func (t *AlertMessagesType) AddNew() *AlertMessagesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AlertMessagesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AlertMessagesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AlertMessagesType) Index

func (t *AlertMessagesType) Index(n int) *AlertMessageType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AlertMessagesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AlertMessagesType) Len

func (t *AlertMessagesType) Len() int

Length of the list.

func (*AlertMessagesType) ToSlice added in v0.1.0

func (t *AlertMessagesType) ToSlice() []*AlertMessageType

Convert list object to slice

type AlternateIdentificationCodeListType

type AlternateIdentificationCodeListType struct {
	// contains filtered or unexported fields
}

func AlternateIdentificationCodeListTypePointer

func AlternateIdentificationCodeListTypePointer(value interface{}) (*AlternateIdentificationCodeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAlternateIdentificationCodeListType added in v0.1.0

func NewAlternateIdentificationCodeListType() *AlternateIdentificationCodeListType

Generates a new object as a pointer to a struct

func (*AlternateIdentificationCodeListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AlternateIdentificationCodeListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AlternateIdentificationCodeListType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*AlternateIdentificationCodeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AlternateIdentificationCodeListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AlternateIdentificationCodeListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AlternateIdentificationCodeListType) Len

Length of the list.

func (*AlternateIdentificationCodeListType) ToSlice added in v0.1.0

Convert list object to slice

type ApplicableLawListType

type ApplicableLawListType struct {
	// contains filtered or unexported fields
}

func ApplicableLawListTypePointer

func ApplicableLawListTypePointer(value interface{}) (*ApplicableLawListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewApplicableLawListType added in v0.1.0

func NewApplicableLawListType() *ApplicableLawListType

Generates a new object as a pointer to a struct

func (*ApplicableLawListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ApplicableLawListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ApplicableLawListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ApplicableLawListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ApplicableLawListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ApplicableLawListType) Len

func (t *ApplicableLawListType) Len() int

Length of the list.

func (*ApplicableLawListType) ToSlice added in v0.1.0

func (t *ApplicableLawListType) ToSlice() []*ApplicableLawType

Convert list object to slice

type ApplicableLawType

type ApplicableLawType struct {
	// contains filtered or unexported fields
}

func ApplicableLawTypePointer

func ApplicableLawTypePointer(value interface{}) (*ApplicableLawType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewApplicableLawType added in v0.1.0

func NewApplicableLawType() *ApplicableLawType

Generates a new object as a pointer to a struct

func (*ApplicableLawType) ApplicableCountry

func (s *ApplicableLawType) ApplicableCountry() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ApplicableLawType) ApplicableCountry_IsNil

func (s *ApplicableLawType) ApplicableCountry_IsNil() bool

Returns whether the element value for ApplicableCountry is nil in the container ApplicableLawType.

func (*ApplicableLawType) ApplicableLawName

func (s *ApplicableLawType) ApplicableLawName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ApplicableLawType) ApplicableLawName_IsNil

func (s *ApplicableLawType) ApplicableLawName_IsNil() bool

Returns whether the element value for ApplicableLawName is nil in the container ApplicableLawType.

func (*ApplicableLawType) ApplicableLawURL

func (s *ApplicableLawType) ApplicableLawURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ApplicableLawType) ApplicableLawURL_IsNil

func (s *ApplicableLawType) ApplicableLawURL_IsNil() bool

Returns whether the element value for ApplicableLawURL is nil in the container ApplicableLawType.

func (*ApplicableLawType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ApplicableLawType) SetProperties

func (n *ApplicableLawType) SetProperties(props ...Prop) *ApplicableLawType

Set a sequence of properties

func (*ApplicableLawType) SetProperty

func (n *ApplicableLawType) SetProperty(key string, value interface{}) *ApplicableLawType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ApplicableLawType) Unset

Set the value of a property to nil

type ApprovalType

type ApprovalType struct {
	// contains filtered or unexported fields
}

func ApprovalTypePointer

func ApprovalTypePointer(value interface{}) (*ApprovalType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewApprovalType added in v0.1.0

func NewApprovalType() *ApprovalType

Generates a new object as a pointer to a struct

func (*ApprovalType) Clone

func (t *ApprovalType) Clone() *ApprovalType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ApprovalType) Date

func (s *ApprovalType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ApprovalType) Date_IsNil

func (s *ApprovalType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container ApprovalType.

func (*ApprovalType) Organization

func (s *ApprovalType) Organization() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ApprovalType) Organization_IsNil

func (s *ApprovalType) Organization_IsNil() bool

Returns whether the element value for Organization is nil in the container ApprovalType.

func (*ApprovalType) SetProperties

func (n *ApprovalType) SetProperties(props ...Prop) *ApprovalType

Set a sequence of properties

func (*ApprovalType) SetProperty

func (n *ApprovalType) SetProperty(key string, value interface{}) *ApprovalType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ApprovalType) Unset

func (n *ApprovalType) Unset(key string) *ApprovalType

Set the value of a property to nil

type ApprovalsType

type ApprovalsType struct {
	// contains filtered or unexported fields
}

func ApprovalsTypePointer

func ApprovalsTypePointer(value interface{}) (*ApprovalsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewApprovalsType added in v0.1.0

func NewApprovalsType() *ApprovalsType

Generates a new object as a pointer to a struct

func (*ApprovalsType) AddNew

func (t *ApprovalsType) AddNew() *ApprovalsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ApprovalsType) Append

func (t *ApprovalsType) Append(values ...ApprovalType) *ApprovalsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ApprovalsType) Clone

func (t *ApprovalsType) Clone() *ApprovalsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ApprovalsType) Index

func (t *ApprovalsType) Index(n int) *ApprovalType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ApprovalsType) Last

func (t *ApprovalsType) Last() *ApprovalType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ApprovalsType) Len

func (t *ApprovalsType) Len() int

Length of the list.

func (*ApprovalsType) ToSlice added in v0.1.0

func (t *ApprovalsType) ToSlice() []*ApprovalType

Convert list object to slice

type ArrivalSchoolType

type ArrivalSchoolType struct {
	// contains filtered or unexported fields
}

func ArrivalSchoolTypePointer

func ArrivalSchoolTypePointer(value interface{}) (*ArrivalSchoolType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewArrivalSchoolType added in v0.1.0

func NewArrivalSchoolType() *ArrivalSchoolType

Generates a new object as a pointer to a struct

func (*ArrivalSchoolType) ACARAId

func (s *ArrivalSchoolType) ACARAId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ArrivalSchoolType) ACARAId_IsNil

func (s *ArrivalSchoolType) ACARAId_IsNil() bool

Returns whether the element value for ACARAId is nil in the container ArrivalSchoolType.

func (*ArrivalSchoolType) City

func (s *ArrivalSchoolType) City() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ArrivalSchoolType) City_IsNil

func (s *ArrivalSchoolType) City_IsNil() bool

Returns whether the element value for City is nil in the container ArrivalSchoolType.

func (*ArrivalSchoolType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ArrivalSchoolType) CommonwealthId

func (s *ArrivalSchoolType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ArrivalSchoolType) CommonwealthId_IsNil

func (s *ArrivalSchoolType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container ArrivalSchoolType.

func (*ArrivalSchoolType) Name

func (s *ArrivalSchoolType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ArrivalSchoolType) Name_IsNil

func (s *ArrivalSchoolType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ArrivalSchoolType.

func (*ArrivalSchoolType) SetProperties

func (n *ArrivalSchoolType) SetProperties(props ...Prop) *ArrivalSchoolType

Set a sequence of properties

func (*ArrivalSchoolType) SetProperty

func (n *ArrivalSchoolType) SetProperty(key string, value interface{}) *ArrivalSchoolType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ArrivalSchoolType) Unset

Set the value of a property to nil

type AssignmentListType

type AssignmentListType struct {
	// contains filtered or unexported fields
}

func AssignmentListTypePointer

func AssignmentListTypePointer(value interface{}) (*AssignmentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAssignmentListType added in v0.1.0

func NewAssignmentListType() *AssignmentListType

Generates a new object as a pointer to a struct

func (*AssignmentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AssignmentListType) Append

func (t *AssignmentListType) Append(values ...string) *AssignmentListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AssignmentListType) AppendString

func (t *AssignmentListType) AppendString(value string) *AssignmentListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*AssignmentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AssignmentListType) Index

func (t *AssignmentListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AssignmentListType) Last

func (t *AssignmentListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AssignmentListType) Len

func (t *AssignmentListType) Len() int

Length of the list.

func (*AssignmentListType) ToSlice added in v0.1.0

func (t *AssignmentListType) ToSlice() []*string

Convert list object to slice

type AssignmentScoreType

type AssignmentScoreType struct {
	// contains filtered or unexported fields
}

func AssignmentScoreTypePointer

func AssignmentScoreTypePointer(value interface{}) (*AssignmentScoreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAssignmentScoreType added in v0.1.0

func NewAssignmentScoreType() *AssignmentScoreType

Generates a new object as a pointer to a struct

func (*AssignmentScoreType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AssignmentScoreType) GradingAssignmentScoreRefId

func (s *AssignmentScoreType) GradingAssignmentScoreRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AssignmentScoreType) GradingAssignmentScoreRefId_IsNil

func (s *AssignmentScoreType) GradingAssignmentScoreRefId_IsNil() bool

Returns whether the element value for GradingAssignmentScoreRefId is nil in the container AssignmentScoreType.

func (*AssignmentScoreType) SetProperties

func (n *AssignmentScoreType) SetProperties(props ...Prop) *AssignmentScoreType

Set a sequence of properties

func (*AssignmentScoreType) SetProperty

func (n *AssignmentScoreType) SetProperty(key string, value interface{}) *AssignmentScoreType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AssignmentScoreType) Unset

Set the value of a property to nil

func (*AssignmentScoreType) Weight

func (s *AssignmentScoreType) Weight() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AssignmentScoreType) Weight_IsNil

func (s *AssignmentScoreType) Weight_IsNil() bool

Returns whether the element value for Weight is nil in the container AssignmentScoreType.

type AssociatedObjectsType

type AssociatedObjectsType struct {
	// contains filtered or unexported fields
}

func AssociatedObjectsTypePointer

func AssociatedObjectsTypePointer(value interface{}) (*AssociatedObjectsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAssociatedObjectsType added in v0.1.0

func NewAssociatedObjectsType() *AssociatedObjectsType

Generates a new object as a pointer to a struct

func (*AssociatedObjectsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AssociatedObjectsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AssociatedObjectsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AssociatedObjectsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AssociatedObjectsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AssociatedObjectsType) Len

func (t *AssociatedObjectsType) Len() int

Length of the list.

func (*AssociatedObjectsType) ToSlice added in v0.1.0

Convert list object to slice

type AssociatedObjectsType_AssociatedObject

type AssociatedObjectsType_AssociatedObject struct {
	// contains filtered or unexported fields
}

func AssociatedObjectsType_AssociatedObjectPointer

func AssociatedObjectsType_AssociatedObjectPointer(value interface{}) (*AssociatedObjectsType_AssociatedObject, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAssociatedObjectsType_AssociatedObject added in v0.1.0

func NewAssociatedObjectsType_AssociatedObject() *AssociatedObjectsType_AssociatedObject

Generates a new object as a pointer to a struct

func (*AssociatedObjectsType_AssociatedObject) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AssociatedObjectsType_AssociatedObject) SIF_RefObject

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AssociatedObjectsType_AssociatedObject) SIF_RefObject_IsNil

func (s *AssociatedObjectsType_AssociatedObject) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container AssociatedObjectsType_AssociatedObject.

func (*AssociatedObjectsType_AssociatedObject) SetProperties

Set a sequence of properties

func (*AssociatedObjectsType_AssociatedObject) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AssociatedObjectsType_AssociatedObject) Unset

Set the value of a property to nil

func (*AssociatedObjectsType_AssociatedObject) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AssociatedObjectsType_AssociatedObject) Value_IsNil

Returns whether the element value for Value is nil in the container AssociatedObjectsType_AssociatedObject.

type AttendanceCodeType

type AttendanceCodeType struct {
	// contains filtered or unexported fields
}

func AttendanceCodeTypePointer

func AttendanceCodeTypePointer(value interface{}) (*AttendanceCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAttendanceCodeType added in v0.1.0

func NewAttendanceCodeType() *AttendanceCodeType

Generates a new object as a pointer to a struct

func (*AttendanceCodeType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AttendanceCodeType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceCodeType) Code_IsNil

func (s *AttendanceCodeType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container AttendanceCodeType.

func (*AttendanceCodeType) OtherCodeList

func (s *AttendanceCodeType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceCodeType) OtherCodeList_IsNil

func (s *AttendanceCodeType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container AttendanceCodeType.

func (*AttendanceCodeType) SetProperties

func (n *AttendanceCodeType) SetProperties(props ...Prop) *AttendanceCodeType

Set a sequence of properties

func (*AttendanceCodeType) SetProperty

func (n *AttendanceCodeType) SetProperty(key string, value interface{}) *AttendanceCodeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AttendanceCodeType) Unset

Set the value of a property to nil

type AttendanceInfoType

type AttendanceInfoType struct {
	// contains filtered or unexported fields
}

func AttendanceInfoTypePointer

func AttendanceInfoTypePointer(value interface{}) (*AttendanceInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAttendanceInfoType added in v0.1.0

func NewAttendanceInfoType() *AttendanceInfoType

Generates a new object as a pointer to a struct

func (*AttendanceInfoType) AttendanceValue

func (s *AttendanceInfoType) AttendanceValue() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceInfoType) AttendanceValue_IsNil

func (s *AttendanceInfoType) AttendanceValue_IsNil() bool

Returns whether the element value for AttendanceValue is nil in the container AttendanceInfoType.

func (*AttendanceInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AttendanceInfoType) CountsTowardAttendance

func (s *AttendanceInfoType) CountsTowardAttendance() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceInfoType) CountsTowardAttendance_IsNil

func (s *AttendanceInfoType) CountsTowardAttendance_IsNil() bool

Returns whether the element value for CountsTowardAttendance is nil in the container AttendanceInfoType.

func (*AttendanceInfoType) SetProperties

func (n *AttendanceInfoType) SetProperties(props ...Prop) *AttendanceInfoType

Set a sequence of properties

func (*AttendanceInfoType) SetProperty

func (n *AttendanceInfoType) SetProperty(key string, value interface{}) *AttendanceInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AttendanceInfoType) Unset

Set the value of a property to nil

type AttendanceTimeType

type AttendanceTimeType struct {
	// contains filtered or unexported fields
}

func AttendanceTimeTypePointer

func AttendanceTimeTypePointer(value interface{}) (*AttendanceTimeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAttendanceTimeType added in v0.1.0

func NewAttendanceTimeType() *AttendanceTimeType

Generates a new object as a pointer to a struct

func (*AttendanceTimeType) AttendanceCode

func (s *AttendanceTimeType) AttendanceCode() *AttendanceCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) AttendanceCode_IsNil

func (s *AttendanceTimeType) AttendanceCode_IsNil() bool

Returns whether the element value for AttendanceCode is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) AttendanceNote

func (s *AttendanceTimeType) AttendanceNote() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) AttendanceNote_IsNil

func (s *AttendanceTimeType) AttendanceNote_IsNil() bool

Returns whether the element value for AttendanceNote is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) AttendanceStatus

func (s *AttendanceTimeType) AttendanceStatus() *AUCodeSetsAttendanceStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) AttendanceStatus_IsNil

func (s *AttendanceTimeType) AttendanceStatus_IsNil() bool

Returns whether the element value for AttendanceStatus is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) AttendanceType

func (s *AttendanceTimeType) AttendanceType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) AttendanceType_IsNil

func (s *AttendanceTimeType) AttendanceType_IsNil() bool

Returns whether the element value for AttendanceType is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AttendanceTimeType) DurationValue

func (s *AttendanceTimeType) DurationValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) DurationValue_IsNil

func (s *AttendanceTimeType) DurationValue_IsNil() bool

Returns whether the element value for DurationValue is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) EndTime

func (s *AttendanceTimeType) EndTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) EndTime_IsNil

func (s *AttendanceTimeType) EndTime_IsNil() bool

Returns whether the element value for EndTime is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) SetProperties

func (n *AttendanceTimeType) SetProperties(props ...Prop) *AttendanceTimeType

Set a sequence of properties

func (*AttendanceTimeType) SetProperty

func (n *AttendanceTimeType) SetProperty(key string, value interface{}) *AttendanceTimeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AttendanceTimeType) StartTime

func (s *AttendanceTimeType) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) StartTime_IsNil

func (s *AttendanceTimeType) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) TimeTableSubjectRefId

func (s *AttendanceTimeType) TimeTableSubjectRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AttendanceTimeType) TimeTableSubjectRefId_IsNil

func (s *AttendanceTimeType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container AttendanceTimeType.

func (*AttendanceTimeType) Unset

Set the value of a property to nil

type AttendanceTimesType

type AttendanceTimesType struct {
	// contains filtered or unexported fields
}

func AttendanceTimesTypePointer

func AttendanceTimesTypePointer(value interface{}) (*AttendanceTimesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAttendanceTimesType added in v0.1.0

func NewAttendanceTimesType() *AttendanceTimesType

Generates a new object as a pointer to a struct

func (*AttendanceTimesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AttendanceTimesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AttendanceTimesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AttendanceTimesType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AttendanceTimesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AttendanceTimesType) Len

func (t *AttendanceTimesType) Len() int

Length of the list.

func (*AttendanceTimesType) ToSlice added in v0.1.0

func (t *AttendanceTimesType) ToSlice() []*AttendanceTimeType

Convert list object to slice

type AuditInfoType

type AuditInfoType struct {
	// contains filtered or unexported fields
}

func AuditInfoTypePointer

func AuditInfoTypePointer(value interface{}) (*AuditInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAuditInfoType added in v0.1.0

func NewAuditInfoType() *AuditInfoType

Generates a new object as a pointer to a struct

func (*AuditInfoType) Clone

func (t *AuditInfoType) Clone() *AuditInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AuditInfoType) CreationDateTime

func (s *AuditInfoType) CreationDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AuditInfoType) CreationDateTime_IsNil

func (s *AuditInfoType) CreationDateTime_IsNil() bool

Returns whether the element value for CreationDateTime is nil in the container AuditInfoType.

func (*AuditInfoType) CreationUser

func (s *AuditInfoType) CreationUser() *CreationUserType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AuditInfoType) CreationUser_IsNil

func (s *AuditInfoType) CreationUser_IsNil() bool

Returns whether the element value for CreationUser is nil in the container AuditInfoType.

func (*AuditInfoType) SetProperties

func (n *AuditInfoType) SetProperties(props ...Prop) *AuditInfoType

Set a sequence of properties

func (*AuditInfoType) SetProperty

func (n *AuditInfoType) SetProperty(key string, value interface{}) *AuditInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AuditInfoType) Unset

func (n *AuditInfoType) Unset(key string) *AuditInfoType

Set the value of a property to nil

type AuthorsType

type AuthorsType struct {
	// contains filtered or unexported fields
}

func AuthorsTypePointer

func AuthorsTypePointer(value interface{}) (*AuthorsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAuthorsType added in v0.1.0

func NewAuthorsType() *AuthorsType

Generates a new object as a pointer to a struct

func (*AuthorsType) AddNew

func (t *AuthorsType) AddNew() *AuthorsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*AuthorsType) Append

func (t *AuthorsType) Append(values ...string) *AuthorsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AuthorsType) AppendString

func (t *AuthorsType) AppendString(value string) *AuthorsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*AuthorsType) Clone

func (t *AuthorsType) Clone() *AuthorsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AuthorsType) Index

func (t *AuthorsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*AuthorsType) Last

func (t *AuthorsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*AuthorsType) Len

func (t *AuthorsType) Len() int

Length of the list.

func (*AuthorsType) ToSlice added in v0.1.0

func (t *AuthorsType) ToSlice() []*string

Convert list object to slice

type AwardContainerType

type AwardContainerType struct {
	// contains filtered or unexported fields
}

func AwardContainerTypePointer

func AwardContainerTypePointer(value interface{}) (*AwardContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewAwardContainerType added in v0.1.0

func NewAwardContainerType() *AwardContainerType

Generates a new object as a pointer to a struct

func (*AwardContainerType) AwardDate

func (s *AwardContainerType) AwardDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AwardContainerType) AwardDate_IsNil

func (s *AwardContainerType) AwardDate_IsNil() bool

Returns whether the element value for AwardDate is nil in the container AwardContainerType.

func (*AwardContainerType) AwardDescription

func (s *AwardContainerType) AwardDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AwardContainerType) AwardDescription_IsNil

func (s *AwardContainerType) AwardDescription_IsNil() bool

Returns whether the element value for AwardDescription is nil in the container AwardContainerType.

func (*AwardContainerType) AwardNotes

func (s *AwardContainerType) AwardNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AwardContainerType) AwardNotes_IsNil

func (s *AwardContainerType) AwardNotes_IsNil() bool

Returns whether the element value for AwardNotes is nil in the container AwardContainerType.

func (*AwardContainerType) AwardType

func (s *AwardContainerType) AwardType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AwardContainerType) AwardType_IsNil

func (s *AwardContainerType) AwardType_IsNil() bool

Returns whether the element value for AwardType is nil in the container AwardContainerType.

func (*AwardContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*AwardContainerType) SetProperties

func (n *AwardContainerType) SetProperties(props ...Prop) *AwardContainerType

Set a sequence of properties

func (*AwardContainerType) SetProperty

func (n *AwardContainerType) SetProperty(key string, value interface{}) *AwardContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*AwardContainerType) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*AwardContainerType) Status_IsNil

func (s *AwardContainerType) Status_IsNil() bool

Returns whether the element value for Status is nil in the container AwardContainerType.

func (*AwardContainerType) Unset

Set the value of a property to nil

type BaseNameType

type BaseNameType struct {
	// contains filtered or unexported fields
}

func BaseNameTypePointer

func BaseNameTypePointer(value interface{}) (*BaseNameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewBaseNameType added in v0.1.0

func NewBaseNameType() *BaseNameType

Generates a new object as a pointer to a struct

func (*BaseNameType) Clone

func (t *BaseNameType) Clone() *BaseNameType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*BaseNameType) FamilyName

func (s *BaseNameType) FamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) FamilyNameFirst

func (s *BaseNameType) FamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) FamilyNameFirst_IsNil

func (s *BaseNameType) FamilyNameFirst_IsNil() bool

Returns whether the element value for FamilyNameFirst is nil in the container BaseNameType.

func (*BaseNameType) FamilyName_IsNil

func (s *BaseNameType) FamilyName_IsNil() bool

Returns whether the element value for FamilyName is nil in the container BaseNameType.

func (*BaseNameType) FullName

func (s *BaseNameType) FullName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) FullName_IsNil

func (s *BaseNameType) FullName_IsNil() bool

Returns whether the element value for FullName is nil in the container BaseNameType.

func (*BaseNameType) GivenName

func (s *BaseNameType) GivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) GivenName_IsNil

func (s *BaseNameType) GivenName_IsNil() bool

Returns whether the element value for GivenName is nil in the container BaseNameType.

func (*BaseNameType) MiddleName

func (s *BaseNameType) MiddleName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) MiddleName_IsNil

func (s *BaseNameType) MiddleName_IsNil() bool

Returns whether the element value for MiddleName is nil in the container BaseNameType.

func (*BaseNameType) PreferredFamilyName

func (s *BaseNameType) PreferredFamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) PreferredFamilyNameFirst

func (s *BaseNameType) PreferredFamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) PreferredFamilyNameFirst_IsNil

func (s *BaseNameType) PreferredFamilyNameFirst_IsNil() bool

Returns whether the element value for PreferredFamilyNameFirst is nil in the container BaseNameType.

func (*BaseNameType) PreferredFamilyName_IsNil

func (s *BaseNameType) PreferredFamilyName_IsNil() bool

Returns whether the element value for PreferredFamilyName is nil in the container BaseNameType.

func (*BaseNameType) PreferredGivenName

func (s *BaseNameType) PreferredGivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) PreferredGivenName_IsNil

func (s *BaseNameType) PreferredGivenName_IsNil() bool

Returns whether the element value for PreferredGivenName is nil in the container BaseNameType.

func (*BaseNameType) SetProperties

func (n *BaseNameType) SetProperties(props ...Prop) *BaseNameType

Set a sequence of properties

func (*BaseNameType) SetProperty

func (n *BaseNameType) SetProperty(key string, value interface{}) *BaseNameType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*BaseNameType) Suffix

func (s *BaseNameType) Suffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) Suffix_IsNil

func (s *BaseNameType) Suffix_IsNil() bool

Returns whether the element value for Suffix is nil in the container BaseNameType.

func (*BaseNameType) Title

func (s *BaseNameType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BaseNameType) Title_IsNil

func (s *BaseNameType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container BaseNameType.

func (*BaseNameType) Unset

func (n *BaseNameType) Unset(key string) *BaseNameType

Set the value of a property to nil

type BinaryDataType

type BinaryDataType struct {
	// contains filtered or unexported fields
}

func BinaryDataTypePointer

func BinaryDataTypePointer(value interface{}) (*BinaryDataType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewBinaryDataType added in v0.1.0

func NewBinaryDataType() *BinaryDataType

Generates a new object as a pointer to a struct

func (*BinaryDataType) Clone

func (t *BinaryDataType) Clone() *BinaryDataType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*BinaryDataType) Description

func (s *BinaryDataType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BinaryDataType) Description_IsNil

func (s *BinaryDataType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container BinaryDataType.

func (*BinaryDataType) FileName

func (s *BinaryDataType) FileName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BinaryDataType) FileName_IsNil

func (s *BinaryDataType) FileName_IsNil() bool

Returns whether the element value for FileName is nil in the container BinaryDataType.

func (*BinaryDataType) MIMEType

func (s *BinaryDataType) MIMEType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BinaryDataType) MIMEType_IsNil

func (s *BinaryDataType) MIMEType_IsNil() bool

Returns whether the element value for MIMEType is nil in the container BinaryDataType.

func (*BinaryDataType) SetProperties

func (n *BinaryDataType) SetProperties(props ...Prop) *BinaryDataType

Set a sequence of properties

func (*BinaryDataType) SetProperty

func (n *BinaryDataType) SetProperty(key string, value interface{}) *BinaryDataType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*BinaryDataType) Unset

func (n *BinaryDataType) Unset(key string) *BinaryDataType

Set the value of a property to nil

func (*BinaryDataType) Value

func (s *BinaryDataType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*BinaryDataType) Value_IsNil

func (s *BinaryDataType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container BinaryDataType.

type BirthDateType

type BirthDateType string

func BirthDateTypePointer

func BirthDateTypePointer(value interface{}) (*BirthDateType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches BirthDateType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*BirthDateType) String

func (t *BirthDateType) String() string

Return string value

type Bool

type Bool bool

func BoolPointer

func BoolPointer(value interface{}) (*Bool, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches Bool. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*Bool) Bool

func (t *Bool) Bool() bool

Returns bool value

func (*Bool) UnmarshalJSON

func (a *Bool) UnmarshalJSON(b []byte) error

type CalculationRuleType

type CalculationRuleType struct {
	// contains filtered or unexported fields
}

func CalculationRuleTypePointer

func CalculationRuleTypePointer(value interface{}) (*CalculationRuleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCalculationRuleType added in v0.1.0

func NewCalculationRuleType() *CalculationRuleType

Generates a new object as a pointer to a struct

func (*CalculationRuleType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalculationRuleType) SetProperties

func (n *CalculationRuleType) SetProperties(props ...Prop) *CalculationRuleType

Set a sequence of properties

func (*CalculationRuleType) SetProperty

func (n *CalculationRuleType) SetProperty(key string, value interface{}) *CalculationRuleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalculationRuleType) Type

func (s *CalculationRuleType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalculationRuleType) Type_IsNil

func (s *CalculationRuleType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container CalculationRuleType.

func (*CalculationRuleType) Unset

Set the value of a property to nil

func (*CalculationRuleType) Value

func (s *CalculationRuleType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalculationRuleType) Value_IsNil

func (s *CalculationRuleType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container CalculationRuleType.

type CalendarDate

type CalendarDate struct {
	// contains filtered or unexported fields
}

func CalendarDatePointer

func CalendarDatePointer(value interface{}) (*CalendarDate, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CalendarDateSlice

func CalendarDateSlice() []*CalendarDate

Create a slice of pointers to the object type

func NewCalendarDate added in v0.1.0

func NewCalendarDate() *CalendarDate

Generates a new object as a pointer to a struct

func (*CalendarDate) AdministratorAttendance

func (s *CalendarDate) AdministratorAttendance() *AttendanceInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) AdministratorAttendance_IsNil

func (s *CalendarDate) AdministratorAttendance_IsNil() bool

Returns whether the element value for AdministratorAttendance is nil in the container CalendarDate.

func (*CalendarDate) CalendarDateNumber

func (s *CalendarDate) CalendarDateNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) CalendarDateNumber_IsNil

func (s *CalendarDate) CalendarDateNumber_IsNil() bool

Returns whether the element value for CalendarDateNumber is nil in the container CalendarDate.

func (*CalendarDate) CalendarDateRefId

func (s *CalendarDate) CalendarDateRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) CalendarDateRefId_IsNil

func (s *CalendarDate) CalendarDateRefId_IsNil() bool

Returns whether the element value for CalendarDateRefId is nil in the container CalendarDate.

func (*CalendarDate) CalendarDateType

func (s *CalendarDate) CalendarDateType() *CalendarDateInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) CalendarDateType_IsNil

func (s *CalendarDate) CalendarDateType_IsNil() bool

Returns whether the element value for CalendarDateType is nil in the container CalendarDate.

func (*CalendarDate) CalendarSummaryRefId

func (s *CalendarDate) CalendarSummaryRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) CalendarSummaryRefId_IsNil

func (s *CalendarDate) CalendarSummaryRefId_IsNil() bool

Returns whether the element value for CalendarSummaryRefId is nil in the container CalendarDate.

func (*CalendarDate) Clone

func (t *CalendarDate) Clone() *CalendarDate

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarDate) Date

func (s *CalendarDate) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) Date_IsNil

func (s *CalendarDate) Date_IsNil() bool

Returns whether the element value for Date is nil in the container CalendarDate.

func (*CalendarDate) LocalCodeList

func (s *CalendarDate) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) LocalCodeList_IsNil

func (s *CalendarDate) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CalendarDate.

func (*CalendarDate) SIF_ExtendedElements

func (s *CalendarDate) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) SIF_ExtendedElements_IsNil

func (s *CalendarDate) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CalendarDate.

func (*CalendarDate) SIF_Metadata

func (s *CalendarDate) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) SIF_Metadata_IsNil

func (s *CalendarDate) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CalendarDate.

func (*CalendarDate) SchoolInfoRefId

func (s *CalendarDate) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) SchoolInfoRefId_IsNil

func (s *CalendarDate) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container CalendarDate.

func (*CalendarDate) SchoolYear

func (s *CalendarDate) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) SchoolYear_IsNil

func (s *CalendarDate) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container CalendarDate.

func (*CalendarDate) SetProperties

func (n *CalendarDate) SetProperties(props ...Prop) *CalendarDate

Set a sequence of properties

func (*CalendarDate) SetProperty

func (n *CalendarDate) SetProperty(key string, value interface{}) *CalendarDate

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarDate) StudentAttendance

func (s *CalendarDate) StudentAttendance() *AttendanceInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) StudentAttendance_IsNil

func (s *CalendarDate) StudentAttendance_IsNil() bool

Returns whether the element value for StudentAttendance is nil in the container CalendarDate.

func (*CalendarDate) TeacherAttendance

func (s *CalendarDate) TeacherAttendance() *AttendanceInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDate) TeacherAttendance_IsNil

func (s *CalendarDate) TeacherAttendance_IsNil() bool

Returns whether the element value for TeacherAttendance is nil in the container CalendarDate.

func (*CalendarDate) Unset

func (n *CalendarDate) Unset(key string) *CalendarDate

Set the value of a property to nil

type CalendarDateInfoType

type CalendarDateInfoType struct {
	// contains filtered or unexported fields
}

func CalendarDateInfoTypePointer

func CalendarDateInfoTypePointer(value interface{}) (*CalendarDateInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCalendarDateInfoType added in v0.1.0

func NewCalendarDateInfoType() *CalendarDateInfoType

Generates a new object as a pointer to a struct

func (*CalendarDateInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarDateInfoType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDateInfoType) Code_IsNil

func (s *CalendarDateInfoType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container CalendarDateInfoType.

func (*CalendarDateInfoType) OtherCodeList

func (s *CalendarDateInfoType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarDateInfoType) OtherCodeList_IsNil

func (s *CalendarDateInfoType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container CalendarDateInfoType.

func (*CalendarDateInfoType) SetProperties

func (n *CalendarDateInfoType) SetProperties(props ...Prop) *CalendarDateInfoType

Set a sequence of properties

func (*CalendarDateInfoType) SetProperty

func (n *CalendarDateInfoType) SetProperty(key string, value interface{}) *CalendarDateInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarDateInfoType) Unset

Set the value of a property to nil

type CalendarDates

type CalendarDates struct {
	// contains filtered or unexported fields
}

func CalendarDatesPointer added in v0.1.0

func CalendarDatesPointer(value interface{}) (*CalendarDates, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCalendarDates added in v0.1.0

func NewCalendarDates() *CalendarDates

Generates a new object as a pointer to a struct

func (*CalendarDates) AddNew added in v0.1.0

func (t *CalendarDates) AddNew() *CalendarDates

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CalendarDates) Append added in v0.1.0

func (t *CalendarDates) Append(values ...*CalendarDate) *CalendarDates

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarDates) Clone added in v0.1.0

func (t *CalendarDates) Clone() *CalendarDates

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarDates) Index added in v0.1.0

func (t *CalendarDates) Index(n int) *CalendarDate

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CalendarDates) Last added in v0.1.0

func (t *CalendarDates) Last() *calendardate

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CalendarDates) Len added in v0.1.0

func (t *CalendarDates) Len() int

Length of the list.

func (*CalendarDates) ToSlice added in v0.1.0

func (t *CalendarDates) ToSlice() []*CalendarDate

Convert list object to slice

type CalendarSummary

type CalendarSummary struct {
	// contains filtered or unexported fields
}

func CalendarSummaryPointer

func CalendarSummaryPointer(value interface{}) (*CalendarSummary, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CalendarSummarySlice

func CalendarSummarySlice() []*CalendarSummary

Create a slice of pointers to the object type

func NewCalendarSummary added in v0.1.0

func NewCalendarSummary() *CalendarSummary

Generates a new object as a pointer to a struct

func (*CalendarSummary) Clone

func (t *CalendarSummary) Clone() *CalendarSummary

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarSummary) DaysInSession

func (s *CalendarSummary) DaysInSession() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) DaysInSession_IsNil

func (s *CalendarSummary) DaysInSession_IsNil() bool

Returns whether the element value for DaysInSession is nil in the container CalendarSummary.

func (*CalendarSummary) Description

func (s *CalendarSummary) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) Description_IsNil

func (s *CalendarSummary) Description_IsNil() bool

Returns whether the element value for Description is nil in the container CalendarSummary.

func (*CalendarSummary) EndDate

func (s *CalendarSummary) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) EndDate_IsNil

func (s *CalendarSummary) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container CalendarSummary.

func (*CalendarSummary) FirstInstructionDate

func (s *CalendarSummary) FirstInstructionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) FirstInstructionDate_IsNil

func (s *CalendarSummary) FirstInstructionDate_IsNil() bool

Returns whether the element value for FirstInstructionDate is nil in the container CalendarSummary.

func (*CalendarSummary) GraduationDate

func (s *CalendarSummary) GraduationDate() *GraduationDateType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) GraduationDate_IsNil

func (s *CalendarSummary) GraduationDate_IsNil() bool

Returns whether the element value for GraduationDate is nil in the container CalendarSummary.

func (*CalendarSummary) InstructionalMinutes

func (s *CalendarSummary) InstructionalMinutes() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) InstructionalMinutes_IsNil

func (s *CalendarSummary) InstructionalMinutes_IsNil() bool

Returns whether the element value for InstructionalMinutes is nil in the container CalendarSummary.

func (*CalendarSummary) LastInstructionDate

func (s *CalendarSummary) LastInstructionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) LastInstructionDate_IsNil

func (s *CalendarSummary) LastInstructionDate_IsNil() bool

Returns whether the element value for LastInstructionDate is nil in the container CalendarSummary.

func (*CalendarSummary) LocalCodeList

func (s *CalendarSummary) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) LocalCodeList_IsNil

func (s *CalendarSummary) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CalendarSummary.

func (*CalendarSummary) LocalId

func (s *CalendarSummary) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) LocalId_IsNil

func (s *CalendarSummary) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container CalendarSummary.

func (*CalendarSummary) MinutesPerDay

func (s *CalendarSummary) MinutesPerDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) MinutesPerDay_IsNil

func (s *CalendarSummary) MinutesPerDay_IsNil() bool

Returns whether the element value for MinutesPerDay is nil in the container CalendarSummary.

func (*CalendarSummary) RefId

func (s *CalendarSummary) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) RefId_IsNil

func (s *CalendarSummary) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CalendarSummary.

func (*CalendarSummary) SIF_ExtendedElements

func (s *CalendarSummary) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) SIF_ExtendedElements_IsNil

func (s *CalendarSummary) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CalendarSummary.

func (*CalendarSummary) SIF_Metadata

func (s *CalendarSummary) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) SIF_Metadata_IsNil

func (s *CalendarSummary) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CalendarSummary.

func (*CalendarSummary) SchoolInfoRefId

func (s *CalendarSummary) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) SchoolInfoRefId_IsNil

func (s *CalendarSummary) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container CalendarSummary.

func (*CalendarSummary) SchoolYear

func (s *CalendarSummary) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) SchoolYear_IsNil

func (s *CalendarSummary) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container CalendarSummary.

func (*CalendarSummary) SetProperties

func (n *CalendarSummary) SetProperties(props ...Prop) *CalendarSummary

Set a sequence of properties

func (*CalendarSummary) SetProperty

func (n *CalendarSummary) SetProperty(key string, value interface{}) *CalendarSummary

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarSummary) StartDate

func (s *CalendarSummary) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) StartDate_IsNil

func (s *CalendarSummary) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container CalendarSummary.

func (*CalendarSummary) Unset

func (n *CalendarSummary) Unset(key string) *CalendarSummary

Set the value of a property to nil

func (*CalendarSummary) YearLevels

func (s *CalendarSummary) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CalendarSummary) YearLevels_IsNil

func (s *CalendarSummary) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container CalendarSummary.

type CalendarSummaryListType

type CalendarSummaryListType struct {
	// contains filtered or unexported fields
}

func CalendarSummaryListTypePointer

func CalendarSummaryListTypePointer(value interface{}) (*CalendarSummaryListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCalendarSummaryListType added in v0.1.0

func NewCalendarSummaryListType() *CalendarSummaryListType

Generates a new object as a pointer to a struct

func (*CalendarSummaryListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CalendarSummaryListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarSummaryListType) AppendString

func (t *CalendarSummaryListType) AppendString(value string) *CalendarSummaryListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*CalendarSummaryListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarSummaryListType) Index

func (t *CalendarSummaryListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CalendarSummaryListType) Last

func (t *CalendarSummaryListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CalendarSummaryListType) Len

func (t *CalendarSummaryListType) Len() int

Length of the list.

func (*CalendarSummaryListType) ToSlice added in v0.1.0

func (t *CalendarSummaryListType) ToSlice() []*string

Convert list object to slice

type CalendarSummarys

type CalendarSummarys struct {
	// contains filtered or unexported fields
}

func CalendarSummarysPointer added in v0.1.0

func CalendarSummarysPointer(value interface{}) (*CalendarSummarys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCalendarSummarys added in v0.1.0

func NewCalendarSummarys() *CalendarSummarys

Generates a new object as a pointer to a struct

func (*CalendarSummarys) AddNew added in v0.1.0

func (t *CalendarSummarys) AddNew() *CalendarSummarys

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CalendarSummarys) Append added in v0.1.0

func (t *CalendarSummarys) Append(values ...*CalendarSummary) *CalendarSummarys

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CalendarSummarys) Clone added in v0.1.0

func (t *CalendarSummarys) Clone() *CalendarSummarys

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CalendarSummarys) Index added in v0.1.0

func (t *CalendarSummarys) Index(n int) *CalendarSummary

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CalendarSummarys) Last added in v0.1.0

func (t *CalendarSummarys) Last() *calendarsummary

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CalendarSummarys) Len added in v0.1.0

func (t *CalendarSummarys) Len() int

Length of the list.

func (*CalendarSummarys) ToSlice added in v0.1.0

func (t *CalendarSummarys) ToSlice() []*CalendarSummary

Convert list object to slice

type CampusContainerType

type CampusContainerType struct {
	// contains filtered or unexported fields
}

func CampusContainerTypePointer

func CampusContainerTypePointer(value interface{}) (*CampusContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCampusContainerType added in v0.1.0

func NewCampusContainerType() *CampusContainerType

Generates a new object as a pointer to a struct

func (*CampusContainerType) AdminStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CampusContainerType) AdminStatus_IsNil

func (s *CampusContainerType) AdminStatus_IsNil() bool

Returns whether the element value for AdminStatus is nil in the container CampusContainerType.

func (*CampusContainerType) CampusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CampusContainerType) CampusType_IsNil

func (s *CampusContainerType) CampusType_IsNil() bool

Returns whether the element value for CampusType is nil in the container CampusContainerType.

func (*CampusContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CampusContainerType) ParentSchoolId

func (s *CampusContainerType) ParentSchoolId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CampusContainerType) ParentSchoolId_IsNil

func (s *CampusContainerType) ParentSchoolId_IsNil() bool

Returns whether the element value for ParentSchoolId is nil in the container CampusContainerType.

func (*CampusContainerType) ParentSchoolRefId

func (s *CampusContainerType) ParentSchoolRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CampusContainerType) ParentSchoolRefId_IsNil

func (s *CampusContainerType) ParentSchoolRefId_IsNil() bool

Returns whether the element value for ParentSchoolRefId is nil in the container CampusContainerType.

func (*CampusContainerType) SchoolCampusId

func (s *CampusContainerType) SchoolCampusId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CampusContainerType) SchoolCampusId_IsNil

func (s *CampusContainerType) SchoolCampusId_IsNil() bool

Returns whether the element value for SchoolCampusId is nil in the container CampusContainerType.

func (*CampusContainerType) SetProperties

func (n *CampusContainerType) SetProperties(props ...Prop) *CampusContainerType

Set a sequence of properties

func (*CampusContainerType) SetProperty

func (n *CampusContainerType) SetProperty(key string, value interface{}) *CampusContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CampusContainerType) Unset

Set the value of a property to nil

type CatchmentStatusContainerType

type CatchmentStatusContainerType struct {
	// contains filtered or unexported fields
}

func CatchmentStatusContainerTypePointer

func CatchmentStatusContainerTypePointer(value interface{}) (*CatchmentStatusContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCatchmentStatusContainerType added in v0.1.0

func NewCatchmentStatusContainerType() *CatchmentStatusContainerType

Generates a new object as a pointer to a struct

func (*CatchmentStatusContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CatchmentStatusContainerType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CatchmentStatusContainerType) Code_IsNil

func (s *CatchmentStatusContainerType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container CatchmentStatusContainerType.

func (*CatchmentStatusContainerType) OtherCodeList

func (s *CatchmentStatusContainerType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CatchmentStatusContainerType) OtherCodeList_IsNil

func (s *CatchmentStatusContainerType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container CatchmentStatusContainerType.

func (*CatchmentStatusContainerType) SetProperties

Set a sequence of properties

func (*CatchmentStatusContainerType) SetProperty

func (n *CatchmentStatusContainerType) SetProperty(key string, value interface{}) *CatchmentStatusContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CatchmentStatusContainerType) Unset

Set the value of a property to nil

type CensusCollection

type CensusCollection struct {
	// contains filtered or unexported fields
}

func CensusCollectionPointer

func CensusCollectionPointer(value interface{}) (*CensusCollection, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CensusCollectionSlice

func CensusCollectionSlice() []*CensusCollection

Create a slice of pointers to the object type

func NewCensusCollection added in v0.1.0

func NewCensusCollection() *CensusCollection

Generates a new object as a pointer to a struct

func (*CensusCollection) CensusReportingList

func (s *CensusCollection) CensusReportingList() *CensusReportingListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) CensusReportingList_IsNil

func (s *CensusCollection) CensusReportingList_IsNil() bool

Returns whether the element value for CensusReportingList is nil in the container CensusCollection.

func (*CensusCollection) CensusYear

func (s *CensusCollection) CensusYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) CensusYear_IsNil

func (s *CensusCollection) CensusYear_IsNil() bool

Returns whether the element value for CensusYear is nil in the container CensusCollection.

func (*CensusCollection) Clone

func (t *CensusCollection) Clone() *CensusCollection

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusCollection) LocalCodeList

func (s *CensusCollection) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) LocalCodeList_IsNil

func (s *CensusCollection) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CensusCollection.

func (*CensusCollection) RefId

func (s *CensusCollection) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) RefId_IsNil

func (s *CensusCollection) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CensusCollection.

func (*CensusCollection) RoundCode

func (s *CensusCollection) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) RoundCode_IsNil

func (s *CensusCollection) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container CensusCollection.

func (*CensusCollection) SIF_ExtendedElements

func (s *CensusCollection) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) SIF_ExtendedElements_IsNil

func (s *CensusCollection) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CensusCollection.

func (*CensusCollection) SIF_Metadata

func (s *CensusCollection) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) SIF_Metadata_IsNil

func (s *CensusCollection) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CensusCollection.

func (*CensusCollection) SetProperties

func (n *CensusCollection) SetProperties(props ...Prop) *CensusCollection

Set a sequence of properties

func (*CensusCollection) SetProperty

func (n *CensusCollection) SetProperty(key string, value interface{}) *CensusCollection

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusCollection) SoftwareVendorInfo

func (s *CensusCollection) SoftwareVendorInfo() *SoftwareVendorInfoContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusCollection) SoftwareVendorInfo_IsNil

func (s *CensusCollection) SoftwareVendorInfo_IsNil() bool

Returns whether the element value for SoftwareVendorInfo is nil in the container CensusCollection.

func (*CensusCollection) Unset

func (n *CensusCollection) Unset(key string) *CensusCollection

Set the value of a property to nil

type CensusCollections

type CensusCollections struct {
	// contains filtered or unexported fields
}

func CensusCollectionsPointer added in v0.1.0

func CensusCollectionsPointer(value interface{}) (*CensusCollections, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusCollections added in v0.1.0

func NewCensusCollections() *CensusCollections

Generates a new object as a pointer to a struct

func (*CensusCollections) AddNew added in v0.1.0

func (t *CensusCollections) AddNew() *CensusCollections

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CensusCollections) Append added in v0.1.0

func (t *CensusCollections) Append(values ...*CensusCollection) *CensusCollections

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusCollections) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusCollections) Index added in v0.1.0

func (t *CensusCollections) Index(n int) *CensusCollection

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CensusCollections) Last added in v0.1.0

func (t *CensusCollections) Last() *censuscollection

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CensusCollections) Len added in v0.1.0

func (t *CensusCollections) Len() int

Length of the list.

func (*CensusCollections) ToSlice added in v0.1.0

func (t *CensusCollections) ToSlice() []*CensusCollection

Convert list object to slice

type CensusReportingListType

type CensusReportingListType struct {
	// contains filtered or unexported fields
}

func CensusReportingListTypePointer

func CensusReportingListTypePointer(value interface{}) (*CensusReportingListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusReportingListType added in v0.1.0

func NewCensusReportingListType() *CensusReportingListType

Generates a new object as a pointer to a struct

func (*CensusReportingListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CensusReportingListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusReportingListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusReportingListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CensusReportingListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CensusReportingListType) Len

func (t *CensusReportingListType) Len() int

Length of the list.

func (*CensusReportingListType) ToSlice added in v0.1.0

Convert list object to slice

type CensusReportingType

type CensusReportingType struct {
	// contains filtered or unexported fields
}

func CensusReportingTypePointer

func CensusReportingTypePointer(value interface{}) (*CensusReportingType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusReportingType added in v0.1.0

func NewCensusReportingType() *CensusReportingType

Generates a new object as a pointer to a struct

func (*CensusReportingType) CensusStaffList

func (s *CensusReportingType) CensusStaffList() *CensusStaffListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) CensusStaffList_IsNil

func (s *CensusReportingType) CensusStaffList_IsNil() bool

Returns whether the element value for CensusStaffList is nil in the container CensusReportingType.

func (*CensusReportingType) CensusStudentList

func (s *CensusReportingType) CensusStudentList() *CensusStudentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) CensusStudentList_IsNil

func (s *CensusReportingType) CensusStudentList_IsNil() bool

Returns whether the element value for CensusStudentList is nil in the container CensusReportingType.

func (*CensusReportingType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusReportingType) CommonwealthId

func (s *CensusReportingType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) CommonwealthId_IsNil

func (s *CensusReportingType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container CensusReportingType.

func (*CensusReportingType) EntityContact

func (s *CensusReportingType) EntityContact() *EntityContactInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) EntityContact_IsNil

func (s *CensusReportingType) EntityContact_IsNil() bool

Returns whether the element value for EntityContact is nil in the container CensusReportingType.

func (*CensusReportingType) EntityLevel

func (s *CensusReportingType) EntityLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) EntityLevel_IsNil

func (s *CensusReportingType) EntityLevel_IsNil() bool

Returns whether the element value for EntityLevel is nil in the container CensusReportingType.

func (*CensusReportingType) EntityName

func (s *CensusReportingType) EntityName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusReportingType) EntityName_IsNil

func (s *CensusReportingType) EntityName_IsNil() bool

Returns whether the element value for EntityName is nil in the container CensusReportingType.

func (*CensusReportingType) SetProperties

func (n *CensusReportingType) SetProperties(props ...Prop) *CensusReportingType

Set a sequence of properties

func (*CensusReportingType) SetProperty

func (n *CensusReportingType) SetProperty(key string, value interface{}) *CensusReportingType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusReportingType) Unset

Set the value of a property to nil

type CensusStaffListType

type CensusStaffListType struct {
	// contains filtered or unexported fields
}

func CensusStaffListTypePointer

func CensusStaffListTypePointer(value interface{}) (*CensusStaffListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusStaffListType added in v0.1.0

func NewCensusStaffListType() *CensusStaffListType

Generates a new object as a pointer to a struct

func (*CensusStaffListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CensusStaffListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusStaffListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusStaffListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CensusStaffListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CensusStaffListType) Len

func (t *CensusStaffListType) Len() int

Length of the list.

func (*CensusStaffListType) ToSlice added in v0.1.0

func (t *CensusStaffListType) ToSlice() []*CensusStaffType

Convert list object to slice

type CensusStaffType

type CensusStaffType struct {
	// contains filtered or unexported fields
}

func CensusStaffTypePointer

func CensusStaffTypePointer(value interface{}) (*CensusStaffType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusStaffType added in v0.1.0

func NewCensusStaffType() *CensusStaffType

Generates a new object as a pointer to a struct

func (*CensusStaffType) Clone

func (t *CensusStaffType) Clone() *CensusStaffType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusStaffType) CohortGender

func (s *CensusStaffType) CohortGender() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) CohortGender_IsNil

func (s *CensusStaffType) CohortGender_IsNil() bool

Returns whether the element value for CohortGender is nil in the container CensusStaffType.

func (*CensusStaffType) CohortIndigenousType

func (s *CensusStaffType) CohortIndigenousType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) CohortIndigenousType_IsNil

func (s *CensusStaffType) CohortIndigenousType_IsNil() bool

Returns whether the element value for CohortIndigenousType is nil in the container CensusStaffType.

func (*CensusStaffType) Headcount

func (s *CensusStaffType) Headcount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) Headcount_IsNil

func (s *CensusStaffType) Headcount_IsNil() bool

Returns whether the element value for Headcount is nil in the container CensusStaffType.

func (*CensusStaffType) JobFTE

func (s *CensusStaffType) JobFTE() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) JobFTE_IsNil

func (s *CensusStaffType) JobFTE_IsNil() bool

Returns whether the element value for JobFTE is nil in the container CensusStaffType.

func (*CensusStaffType) PrimaryFTE

func (s *CensusStaffType) PrimaryFTE() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) PrimaryFTE_IsNil

func (s *CensusStaffType) PrimaryFTE_IsNil() bool

Returns whether the element value for PrimaryFTE is nil in the container CensusStaffType.

func (*CensusStaffType) SecondaryFTE

func (s *CensusStaffType) SecondaryFTE() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) SecondaryFTE_IsNil

func (s *CensusStaffType) SecondaryFTE_IsNil() bool

Returns whether the element value for SecondaryFTE is nil in the container CensusStaffType.

func (*CensusStaffType) SetProperties

func (n *CensusStaffType) SetProperties(props ...Prop) *CensusStaffType

Set a sequence of properties

func (*CensusStaffType) SetProperty

func (n *CensusStaffType) SetProperty(key string, value interface{}) *CensusStaffType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusStaffType) StaffActivity

func (s *CensusStaffType) StaffActivity() *StaffActivityExtensionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) StaffActivity_IsNil

func (s *CensusStaffType) StaffActivity_IsNil() bool

Returns whether the element value for StaffActivity is nil in the container CensusStaffType.

func (*CensusStaffType) StaffCohortId

func (s *CensusStaffType) StaffCohortId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStaffType) StaffCohortId_IsNil

func (s *CensusStaffType) StaffCohortId_IsNil() bool

Returns whether the element value for StaffCohortId is nil in the container CensusStaffType.

func (*CensusStaffType) Unset

func (n *CensusStaffType) Unset(key string) *CensusStaffType

Set the value of a property to nil

type CensusStudentListType

type CensusStudentListType struct {
	// contains filtered or unexported fields
}

func CensusStudentListTypePointer

func CensusStudentListTypePointer(value interface{}) (*CensusStudentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusStudentListType added in v0.1.0

func NewCensusStudentListType() *CensusStudentListType

Generates a new object as a pointer to a struct

func (*CensusStudentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CensusStudentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusStudentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusStudentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CensusStudentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CensusStudentListType) Len

func (t *CensusStudentListType) Len() int

Length of the list.

func (*CensusStudentListType) ToSlice added in v0.1.0

func (t *CensusStudentListType) ToSlice() []*CensusStudentType

Convert list object to slice

type CensusStudentType

type CensusStudentType struct {
	// contains filtered or unexported fields
}

func CensusStudentTypePointer

func CensusStudentTypePointer(value interface{}) (*CensusStudentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCensusStudentType added in v0.1.0

func NewCensusStudentType() *CensusStudentType

Generates a new object as a pointer to a struct

func (*CensusStudentType) CensusAge

func (s *CensusStudentType) CensusAge() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) CensusAge_IsNil

func (s *CensusStudentType) CensusAge_IsNil() bool

Returns whether the element value for CensusAge is nil in the container CensusStudentType.

func (*CensusStudentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CensusStudentType) CohortGender

func (s *CensusStudentType) CohortGender() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) CohortGender_IsNil

func (s *CensusStudentType) CohortGender_IsNil() bool

Returns whether the element value for CohortGender is nil in the container CensusStudentType.

func (*CensusStudentType) CohortIndigenousType

func (s *CensusStudentType) CohortIndigenousType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) CohortIndigenousType_IsNil

func (s *CensusStudentType) CohortIndigenousType_IsNil() bool

Returns whether the element value for CohortIndigenousType is nil in the container CensusStudentType.

func (*CensusStudentType) DisabilityCategory

func (s *CensusStudentType) DisabilityCategory() *AUCodeSetsNCCDDisabilityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) DisabilityCategory_IsNil

func (s *CensusStudentType) DisabilityCategory_IsNil() bool

Returns whether the element value for DisabilityCategory is nil in the container CensusStudentType.

func (*CensusStudentType) DisabilityLevelOfAdjustment

func (s *CensusStudentType) DisabilityLevelOfAdjustment() *AUCodeSetsNCCDAdjustmentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) DisabilityLevelOfAdjustment_IsNil

func (s *CensusStudentType) DisabilityLevelOfAdjustment_IsNil() bool

Returns whether the element value for DisabilityLevelOfAdjustment is nil in the container CensusStudentType.

func (*CensusStudentType) EducationMode

func (s *CensusStudentType) EducationMode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) EducationMode_IsNil

func (s *CensusStudentType) EducationMode_IsNil() bool

Returns whether the element value for EducationMode is nil in the container CensusStudentType.

func (*CensusStudentType) FTE

func (s *CensusStudentType) FTE() *FTEType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) FTE_IsNil

func (s *CensusStudentType) FTE_IsNil() bool

Returns whether the element value for FTE is nil in the container CensusStudentType.

func (*CensusStudentType) Headcount

func (s *CensusStudentType) Headcount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) Headcount_IsNil

func (s *CensusStudentType) Headcount_IsNil() bool

Returns whether the element value for Headcount is nil in the container CensusStudentType.

func (*CensusStudentType) OverseasStudent

func (s *CensusStudentType) OverseasStudent() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) OverseasStudent_IsNil

func (s *CensusStudentType) OverseasStudent_IsNil() bool

Returns whether the element value for OverseasStudent is nil in the container CensusStudentType.

func (*CensusStudentType) SetProperties

func (n *CensusStudentType) SetProperties(props ...Prop) *CensusStudentType

Set a sequence of properties

func (*CensusStudentType) SetProperty

func (n *CensusStudentType) SetProperty(key string, value interface{}) *CensusStudentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CensusStudentType) StudentCohortId

func (s *CensusStudentType) StudentCohortId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) StudentCohortId_IsNil

func (s *CensusStudentType) StudentCohortId_IsNil() bool

Returns whether the element value for StudentCohortId is nil in the container CensusStudentType.

func (*CensusStudentType) StudentOnVisa

func (s *CensusStudentType) StudentOnVisa() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) StudentOnVisa_IsNil

func (s *CensusStudentType) StudentOnVisa_IsNil() bool

Returns whether the element value for StudentOnVisa is nil in the container CensusStudentType.

func (*CensusStudentType) Unset

Set the value of a property to nil

func (*CensusStudentType) YearLevel

func (s *CensusStudentType) YearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CensusStudentType) YearLevel_IsNil

func (s *CensusStudentType) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container CensusStudentType.

type CharacteristicsType

type CharacteristicsType struct {
	// contains filtered or unexported fields
}

func CharacteristicsTypePointer

func CharacteristicsTypePointer(value interface{}) (*CharacteristicsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCharacteristicsType added in v0.1.0

func NewCharacteristicsType() *CharacteristicsType

Generates a new object as a pointer to a struct

func (*CharacteristicsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CharacteristicsType) Append

func (t *CharacteristicsType) Append(values ...string) *CharacteristicsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CharacteristicsType) AppendString

func (t *CharacteristicsType) AppendString(value string) *CharacteristicsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*CharacteristicsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CharacteristicsType) Index

func (t *CharacteristicsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CharacteristicsType) Last

func (t *CharacteristicsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CharacteristicsType) Len

func (t *CharacteristicsType) Len() int

Length of the list.

func (*CharacteristicsType) ToSlice added in v0.1.0

func (t *CharacteristicsType) ToSlice() []*string

Convert list object to slice

type ChargedLocationInfo

type ChargedLocationInfo struct {
	// contains filtered or unexported fields
}

func ChargedLocationInfoPointer

func ChargedLocationInfoPointer(value interface{}) (*ChargedLocationInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func ChargedLocationInfoSlice

func ChargedLocationInfoSlice() []*ChargedLocationInfo

Create a slice of pointers to the object type

func NewChargedLocationInfo added in v0.1.0

func NewChargedLocationInfo() *ChargedLocationInfo

Generates a new object as a pointer to a struct

func (*ChargedLocationInfo) AddressList

func (s *ChargedLocationInfo) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) AddressList_IsNil

func (s *ChargedLocationInfo) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ChargedLocationInfo) Description

func (s *ChargedLocationInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) Description_IsNil

func (s *ChargedLocationInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) LocalCodeList

func (s *ChargedLocationInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) LocalCodeList_IsNil

func (s *ChargedLocationInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) LocalId

func (s *ChargedLocationInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) LocalId_IsNil

func (s *ChargedLocationInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) LocationType

func (s *ChargedLocationInfo) LocationType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) LocationType_IsNil

func (s *ChargedLocationInfo) LocationType_IsNil() bool

Returns whether the element value for LocationType is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) Name

func (s *ChargedLocationInfo) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) Name_IsNil

func (s *ChargedLocationInfo) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) ParentChargedLocationInfoRefId

func (s *ChargedLocationInfo) ParentChargedLocationInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) ParentChargedLocationInfoRefId_IsNil

func (s *ChargedLocationInfo) ParentChargedLocationInfoRefId_IsNil() bool

Returns whether the element value for ParentChargedLocationInfoRefId is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) PhoneNumberList

func (s *ChargedLocationInfo) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) PhoneNumberList_IsNil

func (s *ChargedLocationInfo) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) RefId

func (s *ChargedLocationInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) RefId_IsNil

func (s *ChargedLocationInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) SIF_ExtendedElements

func (s *ChargedLocationInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) SIF_ExtendedElements_IsNil

func (s *ChargedLocationInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) SIF_Metadata

func (s *ChargedLocationInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) SIF_Metadata_IsNil

func (s *ChargedLocationInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) SchoolInfoRefId

func (s *ChargedLocationInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) SchoolInfoRefId_IsNil

func (s *ChargedLocationInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) SetProperties

func (n *ChargedLocationInfo) SetProperties(props ...Prop) *ChargedLocationInfo

Set a sequence of properties

func (*ChargedLocationInfo) SetProperty

func (n *ChargedLocationInfo) SetProperty(key string, value interface{}) *ChargedLocationInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ChargedLocationInfo) SiteCategory

func (s *ChargedLocationInfo) SiteCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) SiteCategory_IsNil

func (s *ChargedLocationInfo) SiteCategory_IsNil() bool

Returns whether the element value for SiteCategory is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) StateProvinceId

func (s *ChargedLocationInfo) StateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ChargedLocationInfo) StateProvinceId_IsNil

func (s *ChargedLocationInfo) StateProvinceId_IsNil() bool

Returns whether the element value for StateProvinceId is nil in the container ChargedLocationInfo.

func (*ChargedLocationInfo) Unset

Set the value of a property to nil

type ChargedLocationInfos

type ChargedLocationInfos struct {
	// contains filtered or unexported fields
}

func ChargedLocationInfosPointer added in v0.1.0

func ChargedLocationInfosPointer(value interface{}) (*ChargedLocationInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewChargedLocationInfos added in v0.1.0

func NewChargedLocationInfos() *ChargedLocationInfos

Generates a new object as a pointer to a struct

func (*ChargedLocationInfos) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ChargedLocationInfos) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ChargedLocationInfos) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ChargedLocationInfos) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*ChargedLocationInfos) Last added in v0.1.0

func (t *ChargedLocationInfos) Last() *chargedlocationinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ChargedLocationInfos) Len added in v0.1.0

func (t *ChargedLocationInfos) Len() int

Length of the list.

func (*ChargedLocationInfos) ToSlice added in v0.1.0

func (t *ChargedLocationInfos) ToSlice() []*ChargedLocationInfo

Convert list object to slice

type CheckoutInfoType

type CheckoutInfoType struct {
	// contains filtered or unexported fields
}

func CheckoutInfoTypePointer

func CheckoutInfoTypePointer(value interface{}) (*CheckoutInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCheckoutInfoType added in v0.1.0

func NewCheckoutInfoType() *CheckoutInfoType

Generates a new object as a pointer to a struct

func (*CheckoutInfoType) CheckedOutOn

func (s *CheckoutInfoType) CheckedOutOn() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CheckoutInfoType) CheckedOutOn_IsNil

func (s *CheckoutInfoType) CheckedOutOn_IsNil() bool

Returns whether the element value for CheckedOutOn is nil in the container CheckoutInfoType.

func (*CheckoutInfoType) Clone

func (t *CheckoutInfoType) Clone() *CheckoutInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CheckoutInfoType) RenewalCount

func (s *CheckoutInfoType) RenewalCount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CheckoutInfoType) RenewalCount_IsNil

func (s *CheckoutInfoType) RenewalCount_IsNil() bool

Returns whether the element value for RenewalCount is nil in the container CheckoutInfoType.

func (*CheckoutInfoType) ReturnBy

func (s *CheckoutInfoType) ReturnBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CheckoutInfoType) ReturnBy_IsNil

func (s *CheckoutInfoType) ReturnBy_IsNil() bool

Returns whether the element value for ReturnBy is nil in the container CheckoutInfoType.

func (*CheckoutInfoType) SetProperties

func (n *CheckoutInfoType) SetProperties(props ...Prop) *CheckoutInfoType

Set a sequence of properties

func (*CheckoutInfoType) SetProperty

func (n *CheckoutInfoType) SetProperty(key string, value interface{}) *CheckoutInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CheckoutInfoType) Unset

func (n *CheckoutInfoType) Unset(key string) *CheckoutInfoType

Set the value of a property to nil

type CodeFrameTestItemListType

type CodeFrameTestItemListType struct {
	// contains filtered or unexported fields
}

func CodeFrameTestItemListTypePointer

func CodeFrameTestItemListTypePointer(value interface{}) (*CodeFrameTestItemListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCodeFrameTestItemListType added in v0.1.0

func NewCodeFrameTestItemListType() *CodeFrameTestItemListType

Generates a new object as a pointer to a struct

func (*CodeFrameTestItemListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CodeFrameTestItemListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CodeFrameTestItemListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CodeFrameTestItemListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CodeFrameTestItemListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CodeFrameTestItemListType) Len

func (t *CodeFrameTestItemListType) Len() int

Length of the list.

func (*CodeFrameTestItemListType) ToSlice added in v0.1.0

Convert list object to slice

type CodeFrameTestItemType

type CodeFrameTestItemType struct {
	// contains filtered or unexported fields
}

func CodeFrameTestItemTypePointer

func CodeFrameTestItemTypePointer(value interface{}) (*CodeFrameTestItemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCodeFrameTestItemType added in v0.1.0

func NewCodeFrameTestItemType() *CodeFrameTestItemType

Generates a new object as a pointer to a struct

func (*CodeFrameTestItemType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CodeFrameTestItemType) SequenceNumber

func (s *CodeFrameTestItemType) SequenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CodeFrameTestItemType) SequenceNumber_IsNil

func (s *CodeFrameTestItemType) SequenceNumber_IsNil() bool

Returns whether the element value for SequenceNumber is nil in the container CodeFrameTestItemType.

func (*CodeFrameTestItemType) SetProperties

func (n *CodeFrameTestItemType) SetProperties(props ...Prop) *CodeFrameTestItemType

Set a sequence of properties

func (*CodeFrameTestItemType) SetProperty

func (n *CodeFrameTestItemType) SetProperty(key string, value interface{}) *CodeFrameTestItemType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CodeFrameTestItemType) TestItemContent

func (s *CodeFrameTestItemType) TestItemContent() *NAPTestItemContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CodeFrameTestItemType) TestItemContent_IsNil

func (s *CodeFrameTestItemType) TestItemContent_IsNil() bool

Returns whether the element value for TestItemContent is nil in the container CodeFrameTestItemType.

func (*CodeFrameTestItemType) TestItemRefId

func (s *CodeFrameTestItemType) TestItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CodeFrameTestItemType) TestItemRefId_IsNil

func (s *CodeFrameTestItemType) TestItemRefId_IsNil() bool

Returns whether the element value for TestItemRefId is nil in the container CodeFrameTestItemType.

func (*CodeFrameTestItemType) Unset

Set the value of a property to nil

type CollectionAcquittal

type CollectionAcquittal struct {
	// contains filtered or unexported fields
}

func CollectionAcquittalPointer

func CollectionAcquittalPointer(value interface{}) (*CollectionAcquittal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CollectionAcquittalSlice

func CollectionAcquittalSlice() []*CollectionAcquittal

Create a slice of pointers to the object type

func NewCollectionAcquittal added in v0.1.0

func NewCollectionAcquittal() *CollectionAcquittal

Generates a new object as a pointer to a struct

func (*CollectionAcquittal) AuditedBy

func (s *CollectionAcquittal) AuditedBy() *SignatoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) AuditedBy_IsNil

func (s *CollectionAcquittal) AuditedBy_IsNil() bool

Returns whether the element value for AuditedBy is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) AuditorASICNumber

func (s *CollectionAcquittal) AuditorASICNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) AuditorASICNumber_IsNil

func (s *CollectionAcquittal) AuditorASICNumber_IsNil() bool

Returns whether the element value for AuditorASICNumber is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) AuditorStatement

func (s *CollectionAcquittal) AuditorStatement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) AuditorStatement_IsNil

func (s *CollectionAcquittal) AuditorStatement_IsNil() bool

Returns whether the element value for AuditorStatement is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionAcquittal) Collection

func (s *CollectionAcquittal) Collection() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) CollectionYear

func (s *CollectionAcquittal) CollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) CollectionYear_IsNil

func (s *CollectionAcquittal) CollectionYear_IsNil() bool

Returns whether the element value for CollectionYear is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) Collection_IsNil

func (s *CollectionAcquittal) Collection_IsNil() bool

Returns whether the element value for Collection is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) Declaration

func (s *CollectionAcquittal) Declaration() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) Declaration_IsNil

func (s *CollectionAcquittal) Declaration_IsNil() bool

Returns whether the element value for Declaration is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) LocalCodeList

func (s *CollectionAcquittal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) LocalCodeList_IsNil

func (s *CollectionAcquittal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) Recipient

func (s *CollectionAcquittal) Recipient() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) Recipient_IsNil

func (s *CollectionAcquittal) Recipient_IsNil() bool

Returns whether the element value for Recipient is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) RefId

func (s *CollectionAcquittal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) RefId_IsNil

func (s *CollectionAcquittal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) ReportingAuthorityList

func (s *CollectionAcquittal) ReportingAuthorityList() *ReportingAuthorityListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) ReportingAuthorityList_IsNil

func (s *CollectionAcquittal) ReportingAuthorityList_IsNil() bool

Returns whether the element value for ReportingAuthorityList is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) RoundCode

func (s *CollectionAcquittal) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) RoundCode_IsNil

func (s *CollectionAcquittal) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) SIF_ExtendedElements

func (s *CollectionAcquittal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) SIF_ExtendedElements_IsNil

func (s *CollectionAcquittal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) SIF_Metadata

func (s *CollectionAcquittal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) SIF_Metadata_IsNil

func (s *CollectionAcquittal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) SetProperties

func (n *CollectionAcquittal) SetProperties(props ...Prop) *CollectionAcquittal

Set a sequence of properties

func (*CollectionAcquittal) SetProperty

func (n *CollectionAcquittal) SetProperty(key string, value interface{}) *CollectionAcquittal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionAcquittal) SubmittedBy

func (s *CollectionAcquittal) SubmittedBy() *SignatoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) SubmittedBy_IsNil

func (s *CollectionAcquittal) SubmittedBy_IsNil() bool

Returns whether the element value for SubmittedBy is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) SubmittingAuthority

func (s *CollectionAcquittal) SubmittingAuthority() *ReportingAuthorityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionAcquittal) SubmittingAuthority_IsNil

func (s *CollectionAcquittal) SubmittingAuthority_IsNil() bool

Returns whether the element value for SubmittingAuthority is nil in the container CollectionAcquittal.

func (*CollectionAcquittal) Unset

Set the value of a property to nil

type CollectionAcquittals

type CollectionAcquittals struct {
	// contains filtered or unexported fields
}

func CollectionAcquittalsPointer added in v0.1.0

func CollectionAcquittalsPointer(value interface{}) (*CollectionAcquittals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCollectionAcquittals added in v0.1.0

func NewCollectionAcquittals() *CollectionAcquittals

Generates a new object as a pointer to a struct

func (*CollectionAcquittals) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CollectionAcquittals) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionAcquittals) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionAcquittals) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CollectionAcquittals) Last added in v0.1.0

func (t *CollectionAcquittals) Last() *collectionacquittal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CollectionAcquittals) Len added in v0.1.0

func (t *CollectionAcquittals) Len() int

Length of the list.

func (*CollectionAcquittals) ToSlice added in v0.1.0

func (t *CollectionAcquittals) ToSlice() []*CollectionAcquittal

Convert list object to slice

type CollectionDeclaration

type CollectionDeclaration struct {
	// contains filtered or unexported fields
}

func CollectionDeclarationPointer

func CollectionDeclarationPointer(value interface{}) (*CollectionDeclaration, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CollectionDeclarationSlice

func CollectionDeclarationSlice() []*CollectionDeclaration

Create a slice of pointers to the object type

func NewCollectionDeclaration added in v0.1.0

func NewCollectionDeclaration() *CollectionDeclaration

Generates a new object as a pointer to a struct

func (*CollectionDeclaration) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionDeclaration) Collection

func (s *CollectionDeclaration) Collection() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) CollectionYear

func (s *CollectionDeclaration) CollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) CollectionYear_IsNil

func (s *CollectionDeclaration) CollectionYear_IsNil() bool

Returns whether the element value for CollectionYear is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) Collection_IsNil

func (s *CollectionDeclaration) Collection_IsNil() bool

Returns whether the element value for Collection is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) Declaration

func (s *CollectionDeclaration) Declaration() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) Declaration_IsNil

func (s *CollectionDeclaration) Declaration_IsNil() bool

Returns whether the element value for Declaration is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) LocalCodeList

func (s *CollectionDeclaration) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) LocalCodeList_IsNil

func (s *CollectionDeclaration) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) Recipient

func (s *CollectionDeclaration) Recipient() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) Recipient_IsNil

func (s *CollectionDeclaration) Recipient_IsNil() bool

Returns whether the element value for Recipient is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) RefId

func (s *CollectionDeclaration) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) RefId_IsNil

func (s *CollectionDeclaration) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) ReportingAuthorityList

func (s *CollectionDeclaration) ReportingAuthorityList() *ReportingAuthorityListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) ReportingAuthorityList_IsNil

func (s *CollectionDeclaration) ReportingAuthorityList_IsNil() bool

Returns whether the element value for ReportingAuthorityList is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) RoundCode

func (s *CollectionDeclaration) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) RoundCode_IsNil

func (s *CollectionDeclaration) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) SIF_ExtendedElements

func (s *CollectionDeclaration) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) SIF_ExtendedElements_IsNil

func (s *CollectionDeclaration) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) SIF_Metadata

func (s *CollectionDeclaration) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) SIF_Metadata_IsNil

func (s *CollectionDeclaration) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) SetProperties

func (n *CollectionDeclaration) SetProperties(props ...Prop) *CollectionDeclaration

Set a sequence of properties

func (*CollectionDeclaration) SetProperty

func (n *CollectionDeclaration) SetProperty(key string, value interface{}) *CollectionDeclaration

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionDeclaration) SubmittedBy

func (s *CollectionDeclaration) SubmittedBy() *SignatoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) SubmittedBy_IsNil

func (s *CollectionDeclaration) SubmittedBy_IsNil() bool

Returns whether the element value for SubmittedBy is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) SubmittingAuthority

func (s *CollectionDeclaration) SubmittingAuthority() *ReportingAuthorityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionDeclaration) SubmittingAuthority_IsNil

func (s *CollectionDeclaration) SubmittingAuthority_IsNil() bool

Returns whether the element value for SubmittingAuthority is nil in the container CollectionDeclaration.

func (*CollectionDeclaration) Unset

Set the value of a property to nil

type CollectionDeclarations

type CollectionDeclarations struct {
	// contains filtered or unexported fields
}

func CollectionDeclarationsPointer added in v0.1.0

func CollectionDeclarationsPointer(value interface{}) (*CollectionDeclarations, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCollectionDeclarations added in v0.1.0

func NewCollectionDeclarations() *CollectionDeclarations

Generates a new object as a pointer to a struct

func (*CollectionDeclarations) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CollectionDeclarations) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionDeclarations) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionDeclarations) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CollectionDeclarations) Last added in v0.1.0

func (t *CollectionDeclarations) Last() *collectiondeclaration

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CollectionDeclarations) Len added in v0.1.0

func (t *CollectionDeclarations) Len() int

Length of the list.

func (*CollectionDeclarations) ToSlice added in v0.1.0

Convert list object to slice

type CollectionRound

type CollectionRound struct {
	// contains filtered or unexported fields
}

func CollectionRoundPointer

func CollectionRoundPointer(value interface{}) (*CollectionRound, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CollectionRoundSlice

func CollectionRoundSlice() []*CollectionRound

Create a slice of pointers to the object type

func NewCollectionRound added in v0.1.0

func NewCollectionRound() *CollectionRound

Generates a new object as a pointer to a struct

func (*CollectionRound) AGCollection

func (s *CollectionRound) AGCollection() *AUCodeSetsAGCollectionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) AGCollection_IsNil

func (s *CollectionRound) AGCollection_IsNil() bool

Returns whether the element value for AGCollection is nil in the container CollectionRound.

func (*CollectionRound) AGRoundList

func (s *CollectionRound) AGRoundList() *AGRoundListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) AGRoundList_IsNil

func (s *CollectionRound) AGRoundList_IsNil() bool

Returns whether the element value for AGRoundList is nil in the container CollectionRound.

func (*CollectionRound) Clone

func (t *CollectionRound) Clone() *CollectionRound

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionRound) CollectionYear

func (s *CollectionRound) CollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) CollectionYear_IsNil

func (s *CollectionRound) CollectionYear_IsNil() bool

Returns whether the element value for CollectionYear is nil in the container CollectionRound.

func (*CollectionRound) LocalCodeList

func (s *CollectionRound) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) LocalCodeList_IsNil

func (s *CollectionRound) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CollectionRound.

func (*CollectionRound) RefId

func (s *CollectionRound) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) RefId_IsNil

func (s *CollectionRound) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CollectionRound.

func (*CollectionRound) SIF_ExtendedElements

func (s *CollectionRound) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) SIF_ExtendedElements_IsNil

func (s *CollectionRound) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CollectionRound.

func (*CollectionRound) SIF_Metadata

func (s *CollectionRound) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionRound) SIF_Metadata_IsNil

func (s *CollectionRound) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CollectionRound.

func (*CollectionRound) SetProperties

func (n *CollectionRound) SetProperties(props ...Prop) *CollectionRound

Set a sequence of properties

func (*CollectionRound) SetProperty

func (n *CollectionRound) SetProperty(key string, value interface{}) *CollectionRound

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionRound) Unset

func (n *CollectionRound) Unset(key string) *CollectionRound

Set the value of a property to nil

type CollectionRounds

type CollectionRounds struct {
	// contains filtered or unexported fields
}

func CollectionRoundsPointer added in v0.1.0

func CollectionRoundsPointer(value interface{}) (*CollectionRounds, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCollectionRounds added in v0.1.0

func NewCollectionRounds() *CollectionRounds

Generates a new object as a pointer to a struct

func (*CollectionRounds) AddNew added in v0.1.0

func (t *CollectionRounds) AddNew() *CollectionRounds

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CollectionRounds) Append added in v0.1.0

func (t *CollectionRounds) Append(values ...*CollectionRound) *CollectionRounds

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionRounds) Clone added in v0.1.0

func (t *CollectionRounds) Clone() *CollectionRounds

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionRounds) Index added in v0.1.0

func (t *CollectionRounds) Index(n int) *CollectionRound

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CollectionRounds) Last added in v0.1.0

func (t *CollectionRounds) Last() *collectionround

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CollectionRounds) Len added in v0.1.0

func (t *CollectionRounds) Len() int

Length of the list.

func (*CollectionRounds) ToSlice added in v0.1.0

func (t *CollectionRounds) ToSlice() []*CollectionRound

Convert list object to slice

type CollectionStatus

type CollectionStatus struct {
	// contains filtered or unexported fields
}

func CollectionStatusPointer

func CollectionStatusPointer(value interface{}) (*CollectionStatus, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func CollectionStatusSlice

func CollectionStatusSlice() []*CollectionStatus

Create a slice of pointers to the object type

func NewCollectionStatus added in v0.1.0

func NewCollectionStatus() *CollectionStatus

Generates a new object as a pointer to a struct

func (*CollectionStatus) AGCollection

func (s *CollectionStatus) AGCollection() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) AGCollection_IsNil

func (s *CollectionStatus) AGCollection_IsNil() bool

Returns whether the element value for AGCollection is nil in the container CollectionStatus.

func (*CollectionStatus) AGReportingObjectResponseList

func (s *CollectionStatus) AGReportingObjectResponseList() *AGReportingObjectResponseListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) AGReportingObjectResponseList_IsNil

func (s *CollectionStatus) AGReportingObjectResponseList_IsNil() bool

Returns whether the element value for AGReportingObjectResponseList is nil in the container CollectionStatus.

func (*CollectionStatus) Clone

func (t *CollectionStatus) Clone() *CollectionStatus

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionStatus) CollectionYear

func (s *CollectionStatus) CollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) CollectionYear_IsNil

func (s *CollectionStatus) CollectionYear_IsNil() bool

Returns whether the element value for CollectionYear is nil in the container CollectionStatus.

func (*CollectionStatus) LocalCodeList

func (s *CollectionStatus) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) LocalCodeList_IsNil

func (s *CollectionStatus) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container CollectionStatus.

func (*CollectionStatus) RefId

func (s *CollectionStatus) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) RefId_IsNil

func (s *CollectionStatus) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container CollectionStatus.

func (*CollectionStatus) ReportingAuthority

func (s *CollectionStatus) ReportingAuthority() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) ReportingAuthorityCommonwealthId

func (s *CollectionStatus) ReportingAuthorityCommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) ReportingAuthorityCommonwealthId_IsNil

func (s *CollectionStatus) ReportingAuthorityCommonwealthId_IsNil() bool

Returns whether the element value for ReportingAuthorityCommonwealthId is nil in the container CollectionStatus.

func (*CollectionStatus) ReportingAuthoritySystem

func (s *CollectionStatus) ReportingAuthoritySystem() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) ReportingAuthoritySystem_IsNil

func (s *CollectionStatus) ReportingAuthoritySystem_IsNil() bool

Returns whether the element value for ReportingAuthoritySystem is nil in the container CollectionStatus.

func (*CollectionStatus) ReportingAuthority_IsNil

func (s *CollectionStatus) ReportingAuthority_IsNil() bool

Returns whether the element value for ReportingAuthority is nil in the container CollectionStatus.

func (*CollectionStatus) RoundCode

func (s *CollectionStatus) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) RoundCode_IsNil

func (s *CollectionStatus) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container CollectionStatus.

func (*CollectionStatus) SIF_ExtendedElements

func (s *CollectionStatus) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) SIF_ExtendedElements_IsNil

func (s *CollectionStatus) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container CollectionStatus.

func (*CollectionStatus) SIF_Metadata

func (s *CollectionStatus) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) SIF_Metadata_IsNil

func (s *CollectionStatus) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container CollectionStatus.

func (*CollectionStatus) SetProperties

func (n *CollectionStatus) SetProperties(props ...Prop) *CollectionStatus

Set a sequence of properties

func (*CollectionStatus) SetProperty

func (n *CollectionStatus) SetProperty(key string, value interface{}) *CollectionStatus

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionStatus) SubmissionTimestamp

func (s *CollectionStatus) SubmissionTimestamp() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) SubmissionTimestamp_IsNil

func (s *CollectionStatus) SubmissionTimestamp_IsNil() bool

Returns whether the element value for SubmissionTimestamp is nil in the container CollectionStatus.

func (*CollectionStatus) SubmittedBy

func (s *CollectionStatus) SubmittedBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CollectionStatus) SubmittedBy_IsNil

func (s *CollectionStatus) SubmittedBy_IsNil() bool

Returns whether the element value for SubmittedBy is nil in the container CollectionStatus.

func (*CollectionStatus) Unset

func (n *CollectionStatus) Unset(key string) *CollectionStatus

Set the value of a property to nil

type CollectionStatuss

type CollectionStatuss struct {
	// contains filtered or unexported fields
}

func CollectionStatussPointer added in v0.1.0

func CollectionStatussPointer(value interface{}) (*CollectionStatuss, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCollectionStatuss added in v0.1.0

func NewCollectionStatuss() *CollectionStatuss

Generates a new object as a pointer to a struct

func (*CollectionStatuss) AddNew added in v0.1.0

func (t *CollectionStatuss) AddNew() *CollectionStatuss

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CollectionStatuss) Append added in v0.1.0

func (t *CollectionStatuss) Append(values ...*CollectionStatus) *CollectionStatuss

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CollectionStatuss) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CollectionStatuss) Index added in v0.1.0

func (t *CollectionStatuss) Index(n int) *CollectionStatus

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*CollectionStatuss) Last added in v0.1.0

func (t *CollectionStatuss) Last() *collectionstatus

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CollectionStatuss) Len added in v0.1.0

func (t *CollectionStatuss) Len() int

Length of the list.

func (*CollectionStatuss) ToSlice added in v0.1.0

func (t *CollectionStatuss) ToSlice() []*CollectionStatus

Convert list object to slice

type ComponentType

type ComponentType struct {
	// contains filtered or unexported fields
}

func ComponentTypePointer

func ComponentTypePointer(value interface{}) (*ComponentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewComponentType added in v0.1.0

func NewComponentType() *ComponentType

Generates a new object as a pointer to a struct

func (*ComponentType) AssociatedObjects

func (s *ComponentType) AssociatedObjects() *AssociatedObjectsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ComponentType) AssociatedObjects_IsNil

func (s *ComponentType) AssociatedObjects_IsNil() bool

Returns whether the element value for AssociatedObjects is nil in the container ComponentType.

func (*ComponentType) Clone

func (t *ComponentType) Clone() *ComponentType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ComponentType) Description

func (s *ComponentType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ComponentType) Description_IsNil

func (s *ComponentType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ComponentType.

func (*ComponentType) Name

func (s *ComponentType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ComponentType) Name_IsNil

func (s *ComponentType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ComponentType.

func (*ComponentType) Reference

func (s *ComponentType) Reference() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ComponentType) Reference_IsNil

func (s *ComponentType) Reference_IsNil() bool

Returns whether the element value for Reference is nil in the container ComponentType.

func (*ComponentType) SetProperties

func (n *ComponentType) SetProperties(props ...Prop) *ComponentType

Set a sequence of properties

func (*ComponentType) SetProperty

func (n *ComponentType) SetProperty(key string, value interface{}) *ComponentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ComponentType) Strategies

func (s *ComponentType) Strategies() *StrategiesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ComponentType) Strategies_IsNil

func (s *ComponentType) Strategies_IsNil() bool

Returns whether the element value for Strategies is nil in the container ComponentType.

func (*ComponentType) Unset

func (n *ComponentType) Unset(key string) *ComponentType

Set the value of a property to nil

type ComponentsType

type ComponentsType struct {
	// contains filtered or unexported fields
}

func ComponentsTypePointer

func ComponentsTypePointer(value interface{}) (*ComponentsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewComponentsType added in v0.1.0

func NewComponentsType() *ComponentsType

Generates a new object as a pointer to a struct

func (*ComponentsType) AddNew

func (t *ComponentsType) AddNew() *ComponentsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ComponentsType) Append

func (t *ComponentsType) Append(values ...ComponentType) *ComponentsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ComponentsType) Clone

func (t *ComponentsType) Clone() *ComponentsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ComponentsType) Index

func (t *ComponentsType) Index(n int) *ComponentType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ComponentsType) Last

func (t *ComponentsType) Last() *ComponentType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ComponentsType) Len

func (t *ComponentsType) Len() int

Length of the list.

func (*ComponentsType) ToSlice added in v0.1.0

func (t *ComponentsType) ToSlice() []*ComponentType

Convert list object to slice

type ConsentToSharingOfDataContainerType

type ConsentToSharingOfDataContainerType struct {
	// contains filtered or unexported fields
}

func ConsentToSharingOfDataContainerTypePointer

func ConsentToSharingOfDataContainerTypePointer(value interface{}) (*ConsentToSharingOfDataContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewConsentToSharingOfDataContainerType added in v0.1.0

func NewConsentToSharingOfDataContainerType() *ConsentToSharingOfDataContainerType

Generates a new object as a pointer to a struct

func (*ConsentToSharingOfDataContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ConsentToSharingOfDataContainerType) DataDomainObligationList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ConsentToSharingOfDataContainerType) DataDomainObligationList_IsNil

func (s *ConsentToSharingOfDataContainerType) DataDomainObligationList_IsNil() bool

Returns whether the element value for DataDomainObligationList is nil in the container ConsentToSharingOfDataContainerType.

func (*ConsentToSharingOfDataContainerType) NeverShareWithList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ConsentToSharingOfDataContainerType) NeverShareWithList_IsNil

func (s *ConsentToSharingOfDataContainerType) NeverShareWithList_IsNil() bool

Returns whether the element value for NeverShareWithList is nil in the container ConsentToSharingOfDataContainerType.

func (*ConsentToSharingOfDataContainerType) SetProperties

Set a sequence of properties

func (*ConsentToSharingOfDataContainerType) SetProperty

func (n *ConsentToSharingOfDataContainerType) SetProperty(key string, value interface{}) *ConsentToSharingOfDataContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ConsentToSharingOfDataContainerType) Unset

Set the value of a property to nil

type ContactFlagsType

type ContactFlagsType struct {
	// contains filtered or unexported fields
}

func ContactFlagsTypePointer

func ContactFlagsTypePointer(value interface{}) (*ContactFlagsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewContactFlagsType added in v0.1.0

func NewContactFlagsType() *ContactFlagsType

Generates a new object as a pointer to a struct

func (*ContactFlagsType) AccessToRecords

func (s *ContactFlagsType) AccessToRecords() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) AccessToRecords_IsNil

func (s *ContactFlagsType) AccessToRecords_IsNil() bool

Returns whether the element value for AccessToRecords is nil in the container ContactFlagsType.

func (*ContactFlagsType) AttendanceContact

func (s *ContactFlagsType) AttendanceContact() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) AttendanceContact_IsNil

func (s *ContactFlagsType) AttendanceContact_IsNil() bool

Returns whether the element value for AttendanceContact is nil in the container ContactFlagsType.

func (*ContactFlagsType) Clone

func (t *ContactFlagsType) Clone() *ContactFlagsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ContactFlagsType) DisciplinaryContact

func (s *ContactFlagsType) DisciplinaryContact() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) DisciplinaryContact_IsNil

func (s *ContactFlagsType) DisciplinaryContact_IsNil() bool

Returns whether the element value for DisciplinaryContact is nil in the container ContactFlagsType.

func (*ContactFlagsType) EmergencyContact

func (s *ContactFlagsType) EmergencyContact() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) EmergencyContact_IsNil

func (s *ContactFlagsType) EmergencyContact_IsNil() bool

Returns whether the element value for EmergencyContact is nil in the container ContactFlagsType.

func (*ContactFlagsType) FamilyMail

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) FamilyMail_IsNil

func (s *ContactFlagsType) FamilyMail_IsNil() bool

Returns whether the element value for FamilyMail is nil in the container ContactFlagsType.

func (*ContactFlagsType) FeesAccess

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) FeesAccess_IsNil

func (s *ContactFlagsType) FeesAccess_IsNil() bool

Returns whether the element value for FeesAccess is nil in the container ContactFlagsType.

func (*ContactFlagsType) FeesBilling

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) FeesBilling_IsNil

func (s *ContactFlagsType) FeesBilling_IsNil() bool

Returns whether the element value for FeesBilling is nil in the container ContactFlagsType.

func (*ContactFlagsType) HasCustody

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) HasCustody_IsNil

func (s *ContactFlagsType) HasCustody_IsNil() bool

Returns whether the element value for HasCustody is nil in the container ContactFlagsType.

func (*ContactFlagsType) InterventionOrder

func (s *ContactFlagsType) InterventionOrder() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) InterventionOrder_IsNil

func (s *ContactFlagsType) InterventionOrder_IsNil() bool

Returns whether the element value for InterventionOrder is nil in the container ContactFlagsType.

func (*ContactFlagsType) LivesWith

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) LivesWith_IsNil

func (s *ContactFlagsType) LivesWith_IsNil() bool

Returns whether the element value for LivesWith is nil in the container ContactFlagsType.

func (*ContactFlagsType) ParentLegalGuardian

func (s *ContactFlagsType) ParentLegalGuardian() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) ParentLegalGuardian_IsNil

func (s *ContactFlagsType) ParentLegalGuardian_IsNil() bool

Returns whether the element value for ParentLegalGuardian is nil in the container ContactFlagsType.

func (*ContactFlagsType) PickupRights

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) PickupRights_IsNil

func (s *ContactFlagsType) PickupRights_IsNil() bool

Returns whether the element value for PickupRights is nil in the container ContactFlagsType.

func (*ContactFlagsType) PrimaryCareProvider

func (s *ContactFlagsType) PrimaryCareProvider() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) PrimaryCareProvider_IsNil

func (s *ContactFlagsType) PrimaryCareProvider_IsNil() bool

Returns whether the element value for PrimaryCareProvider is nil in the container ContactFlagsType.

func (*ContactFlagsType) ReceivesAssessmentReport

func (s *ContactFlagsType) ReceivesAssessmentReport() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactFlagsType) ReceivesAssessmentReport_IsNil

func (s *ContactFlagsType) ReceivesAssessmentReport_IsNil() bool

Returns whether the element value for ReceivesAssessmentReport is nil in the container ContactFlagsType.

func (*ContactFlagsType) SetProperties

func (n *ContactFlagsType) SetProperties(props ...Prop) *ContactFlagsType

Set a sequence of properties

func (*ContactFlagsType) SetProperty

func (n *ContactFlagsType) SetProperty(key string, value interface{}) *ContactFlagsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ContactFlagsType) Unset

func (n *ContactFlagsType) Unset(key string) *ContactFlagsType

Set the value of a property to nil

type ContactInfoType

type ContactInfoType struct {
	// contains filtered or unexported fields
}

func ContactInfoTypePointer

func ContactInfoTypePointer(value interface{}) (*ContactInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewContactInfoType added in v0.1.0

func NewContactInfoType() *ContactInfoType

Generates a new object as a pointer to a struct

func (*ContactInfoType) Address

func (s *ContactInfoType) Address() *AddressType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) Address_IsNil

func (s *ContactInfoType) Address_IsNil() bool

Returns whether the element value for Address is nil in the container ContactInfoType.

func (*ContactInfoType) Clone

func (t *ContactInfoType) Clone() *ContactInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ContactInfoType) EmailList

func (s *ContactInfoType) EmailList() *EmailListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) EmailList_IsNil

func (s *ContactInfoType) EmailList_IsNil() bool

Returns whether the element value for EmailList is nil in the container ContactInfoType.

func (*ContactInfoType) Name

func (s *ContactInfoType) Name() *NameType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) Name_IsNil

func (s *ContactInfoType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ContactInfoType.

func (*ContactInfoType) PhoneNumberList

func (s *ContactInfoType) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) PhoneNumberList_IsNil

func (s *ContactInfoType) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container ContactInfoType.

func (*ContactInfoType) PositionTitle

func (s *ContactInfoType) PositionTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) PositionTitle_IsNil

func (s *ContactInfoType) PositionTitle_IsNil() bool

Returns whether the element value for PositionTitle is nil in the container ContactInfoType.

func (*ContactInfoType) Qualifications

func (s *ContactInfoType) Qualifications() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) Qualifications_IsNil

func (s *ContactInfoType) Qualifications_IsNil() bool

Returns whether the element value for Qualifications is nil in the container ContactInfoType.

func (*ContactInfoType) RegistrationDetails

func (s *ContactInfoType) RegistrationDetails() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) RegistrationDetails_IsNil

func (s *ContactInfoType) RegistrationDetails_IsNil() bool

Returns whether the element value for RegistrationDetails is nil in the container ContactInfoType.

func (*ContactInfoType) Role

func (s *ContactInfoType) Role() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactInfoType) Role_IsNil

func (s *ContactInfoType) Role_IsNil() bool

Returns whether the element value for Role is nil in the container ContactInfoType.

func (*ContactInfoType) SetProperties

func (n *ContactInfoType) SetProperties(props ...Prop) *ContactInfoType

Set a sequence of properties

func (*ContactInfoType) SetProperty

func (n *ContactInfoType) SetProperty(key string, value interface{}) *ContactInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ContactInfoType) Unset

func (n *ContactInfoType) Unset(key string) *ContactInfoType

Set the value of a property to nil

type ContactType

type ContactType struct {
	// contains filtered or unexported fields
}

func ContactTypePointer

func ContactTypePointer(value interface{}) (*ContactType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewContactType added in v0.1.0

func NewContactType() *ContactType

Generates a new object as a pointer to a struct

func (*ContactType) Address

func (s *ContactType) Address() *AddressType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactType) Address_IsNil

func (s *ContactType) Address_IsNil() bool

Returns whether the element value for Address is nil in the container ContactType.

func (*ContactType) Clone

func (t *ContactType) Clone() *ContactType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ContactType) Email

func (s *ContactType) Email() *EmailType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactType) Email_IsNil

func (s *ContactType) Email_IsNil() bool

Returns whether the element value for Email is nil in the container ContactType.

func (*ContactType) Name

func (s *ContactType) Name() *NameType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactType) Name_IsNil

func (s *ContactType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ContactType.

func (*ContactType) PhoneNumber

func (s *ContactType) PhoneNumber() *PhoneNumberType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ContactType) PhoneNumber_IsNil

func (s *ContactType) PhoneNumber_IsNil() bool

Returns whether the element value for PhoneNumber is nil in the container ContactType.

func (*ContactType) SetProperties

func (n *ContactType) SetProperties(props ...Prop) *ContactType

Set a sequence of properties

func (*ContactType) SetProperty

func (n *ContactType) SetProperty(key string, value interface{}) *ContactType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ContactType) Unset

func (n *ContactType) Unset(key string) *ContactType

Set the value of a property to nil

type ContactsType

type ContactsType struct {
	// contains filtered or unexported fields
}

func ContactsTypePointer

func ContactsTypePointer(value interface{}) (*ContactsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewContactsType added in v0.1.0

func NewContactsType() *ContactsType

Generates a new object as a pointer to a struct

func (*ContactsType) AddNew

func (t *ContactsType) AddNew() *ContactsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ContactsType) Append

func (t *ContactsType) Append(values ...ContactType) *ContactsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ContactsType) Clone

func (t *ContactsType) Clone() *ContactsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ContactsType) Index

func (t *ContactsType) Index(n int) *ContactType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ContactsType) Last

func (t *ContactsType) Last() *ContactType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ContactsType) Len

func (t *ContactsType) Len() int

Length of the list.

func (*ContactsType) ToSlice added in v0.1.0

func (t *ContactsType) ToSlice() []*ContactType

Convert list object to slice

type ContentDescriptionListType

type ContentDescriptionListType struct {
	// contains filtered or unexported fields
}

func ContentDescriptionListTypePointer

func ContentDescriptionListTypePointer(value interface{}) (*ContentDescriptionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewContentDescriptionListType added in v0.1.0

func NewContentDescriptionListType() *ContentDescriptionListType

Generates a new object as a pointer to a struct

func (*ContentDescriptionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ContentDescriptionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ContentDescriptionListType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*ContentDescriptionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ContentDescriptionListType) Index

func (t *ContentDescriptionListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ContentDescriptionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ContentDescriptionListType) Len

Length of the list.

func (*ContentDescriptionListType) ToSlice added in v0.1.0

func (t *ContentDescriptionListType) ToSlice() []*string

Convert list object to slice

type CopyRightContainerType

type CopyRightContainerType struct {
	// contains filtered or unexported fields
}

func CopyRightContainerTypePointer

func CopyRightContainerTypePointer(value interface{}) (*CopyRightContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCopyRightContainerType added in v0.1.0

func NewCopyRightContainerType() *CopyRightContainerType

Generates a new object as a pointer to a struct

func (*CopyRightContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CopyRightContainerType) Date

func (s *CopyRightContainerType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CopyRightContainerType) Date_IsNil

func (s *CopyRightContainerType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container CopyRightContainerType.

func (*CopyRightContainerType) Holder

func (s *CopyRightContainerType) Holder() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CopyRightContainerType) Holder_IsNil

func (s *CopyRightContainerType) Holder_IsNil() bool

Returns whether the element value for Holder is nil in the container CopyRightContainerType.

func (*CopyRightContainerType) SetProperties

func (n *CopyRightContainerType) SetProperties(props ...Prop) *CopyRightContainerType

Set a sequence of properties

func (*CopyRightContainerType) SetProperty

func (n *CopyRightContainerType) SetProperty(key string, value interface{}) *CopyRightContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CopyRightContainerType) Unset

Set the value of a property to nil

type CountryList2Type

type CountryList2Type struct {
	// contains filtered or unexported fields
}

func CountryList2TypePointer

func CountryList2TypePointer(value interface{}) (*CountryList2Type, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCountryList2Type added in v0.1.0

func NewCountryList2Type() *CountryList2Type

Generates a new object as a pointer to a struct

func (*CountryList2Type) AddNew

func (t *CountryList2Type) AddNew() *CountryList2Type

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CountryList2Type) Append

func (t *CountryList2Type) Append(values ...CountryType) *CountryList2Type

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CountryList2Type) AppendString

func (t *CountryList2Type) AppendString(value string) *CountryList2Type

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*CountryList2Type) Clone

func (t *CountryList2Type) Clone() *CountryList2Type

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CountryList2Type) Index

func (t *CountryList2Type) Index(n int) *CountryType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CountryList2Type) Last

func (t *CountryList2Type) Last() *CountryType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CountryList2Type) Len

func (t *CountryList2Type) Len() int

Length of the list.

func (*CountryList2Type) ToSlice added in v0.1.0

func (t *CountryList2Type) ToSlice() []*CountryType

Convert list object to slice

type CountryListType

type CountryListType struct {
	// contains filtered or unexported fields
}

func CountryListTypePointer

func CountryListTypePointer(value interface{}) (*CountryListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCountryListType added in v0.1.0

func NewCountryListType() *CountryListType

Generates a new object as a pointer to a struct

func (*CountryListType) AddNew

func (t *CountryListType) AddNew() *CountryListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CountryListType) Append

func (t *CountryListType) Append(values ...CountryType) *CountryListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CountryListType) AppendString

func (t *CountryListType) AppendString(value string) *CountryListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*CountryListType) Clone

func (t *CountryListType) Clone() *CountryListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CountryListType) Index

func (t *CountryListType) Index(n int) *CountryType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CountryListType) Last

func (t *CountryListType) Last() *CountryType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CountryListType) Len

func (t *CountryListType) Len() int

Length of the list.

func (*CountryListType) ToSlice added in v0.1.0

func (t *CountryListType) ToSlice() []*CountryType

Convert list object to slice

type CountryType

func CountryTypePointer

func CountryTypePointer(value interface{}) (*CountryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches CountryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*CountryType) String

func (t *CountryType) String() string

Return string value

type CreatedType

type CreatedType struct {
	// contains filtered or unexported fields
}

func CreatedTypePointer

func CreatedTypePointer(value interface{}) (*CreatedType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCreatedType added in v0.1.0

func NewCreatedType() *CreatedType

Generates a new object as a pointer to a struct

func (*CreatedType) Clone

func (t *CreatedType) Clone() *CreatedType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CreatedType) Creators

func (s *CreatedType) Creators() *CreatorListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CreatedType) Creators_IsNil

func (s *CreatedType) Creators_IsNil() bool

Returns whether the element value for Creators is nil in the container CreatedType.

func (*CreatedType) DateTime

func (s *CreatedType) DateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CreatedType) DateTime_IsNil

func (s *CreatedType) DateTime_IsNil() bool

Returns whether the element value for DateTime is nil in the container CreatedType.

func (*CreatedType) SetProperties

func (n *CreatedType) SetProperties(props ...Prop) *CreatedType

Set a sequence of properties

func (*CreatedType) SetProperty

func (n *CreatedType) SetProperty(key string, value interface{}) *CreatedType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CreatedType) Unset

func (n *CreatedType) Unset(key string) *CreatedType

Set the value of a property to nil

type CreationUserType

type CreationUserType struct {
	// contains filtered or unexported fields
}

func CreationUserTypePointer

func CreationUserTypePointer(value interface{}) (*CreationUserType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCreationUserType added in v0.1.0

func NewCreationUserType() *CreationUserType

Generates a new object as a pointer to a struct

func (*CreationUserType) Clone

func (t *CreationUserType) Clone() *CreationUserType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CreationUserType) SetProperties

func (n *CreationUserType) SetProperties(props ...Prop) *CreationUserType

Set a sequence of properties

func (*CreationUserType) SetProperty

func (n *CreationUserType) SetProperty(key string, value interface{}) *CreationUserType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CreationUserType) Type

func (s *CreationUserType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CreationUserType) Type_IsNil

func (s *CreationUserType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container CreationUserType.

func (*CreationUserType) Unset

func (n *CreationUserType) Unset(key string) *CreationUserType

Set the value of a property to nil

func (*CreationUserType) UserId

func (s *CreationUserType) UserId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*CreationUserType) UserId_IsNil

func (s *CreationUserType) UserId_IsNil() bool

Returns whether the element value for UserId is nil in the container CreationUserType.

type CreatorListType

type CreatorListType struct {
	// contains filtered or unexported fields
}

func CreatorListTypePointer

func CreatorListTypePointer(value interface{}) (*CreatorListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewCreatorListType added in v0.1.0

func NewCreatorListType() *CreatorListType

Generates a new object as a pointer to a struct

func (*CreatorListType) AddNew

func (t *CreatorListType) AddNew() *CreatorListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*CreatorListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*CreatorListType) Clone

func (t *CreatorListType) Clone() *CreatorListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*CreatorListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*CreatorListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*CreatorListType) Len

func (t *CreatorListType) Len() int

Length of the list.

func (*CreatorListType) ToSlice added in v0.1.0

func (t *CreatorListType) ToSlice() []*LifeCycleCreatorType

Convert list object to slice

type DataDomainObligationListType

type DataDomainObligationListType struct {
	// contains filtered or unexported fields
}

func DataDomainObligationListTypePointer

func DataDomainObligationListTypePointer(value interface{}) (*DataDomainObligationListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDataDomainObligationListType added in v0.1.0

func NewDataDomainObligationListType() *DataDomainObligationListType

Generates a new object as a pointer to a struct

func (*DataDomainObligationListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*DataDomainObligationListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DataDomainObligationListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DataDomainObligationListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*DataDomainObligationListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*DataDomainObligationListType) Len

Length of the list.

func (*DataDomainObligationListType) ToSlice added in v0.1.0

Convert list object to slice

type DataDomainObligationType

type DataDomainObligationType struct {
	// contains filtered or unexported fields
}

func DataDomainObligationTypePointer

func DataDomainObligationTypePointer(value interface{}) (*DataDomainObligationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDataDomainObligationType added in v0.1.0

func NewDataDomainObligationType() *DataDomainObligationType

Generates a new object as a pointer to a struct

func (*DataDomainObligationType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DataDomainObligationType) DataDomain

func (s *DataDomainObligationType) DataDomain() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DataDomainObligationType) DataDomain_IsNil

func (s *DataDomainObligationType) DataDomain_IsNil() bool

Returns whether the element value for DataDomain is nil in the container DataDomainObligationType.

func (*DataDomainObligationType) DoNotShareWithList

func (s *DataDomainObligationType) DoNotShareWithList() *DoNotShareWithListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DataDomainObligationType) DoNotShareWithList_IsNil

func (s *DataDomainObligationType) DoNotShareWithList_IsNil() bool

Returns whether the element value for DoNotShareWithList is nil in the container DataDomainObligationType.

func (*DataDomainObligationType) DomainComments

func (s *DataDomainObligationType) DomainComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DataDomainObligationType) DomainComments_IsNil

func (s *DataDomainObligationType) DomainComments_IsNil() bool

Returns whether the element value for DomainComments is nil in the container DataDomainObligationType.

func (*DataDomainObligationType) SetProperties

func (n *DataDomainObligationType) SetProperties(props ...Prop) *DataDomainObligationType

Set a sequence of properties

func (*DataDomainObligationType) SetProperty

func (n *DataDomainObligationType) SetProperty(key string, value interface{}) *DataDomainObligationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DataDomainObligationType) ShareWithList

func (s *DataDomainObligationType) ShareWithList() *ShareWithListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DataDomainObligationType) ShareWithList_IsNil

func (s *DataDomainObligationType) ShareWithList_IsNil() bool

Returns whether the element value for ShareWithList is nil in the container DataDomainObligationType.

func (*DataDomainObligationType) Unset

Set the value of a property to nil

type DebitOrCreditAmountType

type DebitOrCreditAmountType struct {
	// contains filtered or unexported fields
}

func DebitOrCreditAmountTypePointer

func DebitOrCreditAmountTypePointer(value interface{}) (*DebitOrCreditAmountType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDebitOrCreditAmountType added in v0.1.0

func NewDebitOrCreditAmountType() *DebitOrCreditAmountType

Generates a new object as a pointer to a struct

func (*DebitOrCreditAmountType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DebitOrCreditAmountType) Currency

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DebitOrCreditAmountType) Currency_IsNil

func (s *DebitOrCreditAmountType) Currency_IsNil() bool

Returns whether the element value for Currency is nil in the container DebitOrCreditAmountType.

func (*DebitOrCreditAmountType) SetProperties

func (n *DebitOrCreditAmountType) SetProperties(props ...Prop) *DebitOrCreditAmountType

Set a sequence of properties

func (*DebitOrCreditAmountType) SetProperty

func (n *DebitOrCreditAmountType) SetProperty(key string, value interface{}) *DebitOrCreditAmountType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DebitOrCreditAmountType) Type

func (s *DebitOrCreditAmountType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DebitOrCreditAmountType) Type_IsNil

func (s *DebitOrCreditAmountType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container DebitOrCreditAmountType.

func (*DebitOrCreditAmountType) Unset

Set the value of a property to nil

func (*DebitOrCreditAmountType) Value

func (s *DebitOrCreditAmountType) Value() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DebitOrCreditAmountType) Value_IsNil

func (s *DebitOrCreditAmountType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container DebitOrCreditAmountType.

type Debtor

type Debtor struct {
	// contains filtered or unexported fields
}

func DebtorPointer

func DebtorPointer(value interface{}) (*Debtor, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func DebtorSlice

func DebtorSlice() []*Debtor

Create a slice of pointers to the object type

func NewDebtor added in v0.1.0

func NewDebtor() *Debtor

Generates a new object as a pointer to a struct

func (*Debtor) AccountName

func (s *Debtor) AccountName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) AccountName_IsNil

func (s *Debtor) AccountName_IsNil() bool

Returns whether the element value for AccountName is nil in the container Debtor.

func (*Debtor) AccountNumber

func (s *Debtor) AccountNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) AccountNumber_IsNil

func (s *Debtor) AccountNumber_IsNil() bool

Returns whether the element value for AccountNumber is nil in the container Debtor.

func (*Debtor) AddressList

func (s *Debtor) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) AddressList_IsNil

func (s *Debtor) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container Debtor.

func (*Debtor) BSB

func (s *Debtor) BSB() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) BSB_IsNil

func (s *Debtor) BSB_IsNil() bool

Returns whether the element value for BSB is nil in the container Debtor.

func (*Debtor) BilledEntity

func (s *Debtor) BilledEntity() *Debtor_BilledEntity

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) BilledEntity_IsNil

func (s *Debtor) BilledEntity_IsNil() bool

Returns whether the element value for BilledEntity is nil in the container Debtor.

func (*Debtor) BillingName

func (s *Debtor) BillingName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) BillingName_IsNil

func (s *Debtor) BillingName_IsNil() bool

Returns whether the element value for BillingName is nil in the container Debtor.

func (*Debtor) BillingNote

func (s *Debtor) BillingNote() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) BillingNote_IsNil

func (s *Debtor) BillingNote_IsNil() bool

Returns whether the element value for BillingNote is nil in the container Debtor.

func (*Debtor) Clone

func (t *Debtor) Clone() *Debtor

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Debtor) Discount

func (s *Debtor) Discount() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) Discount_IsNil

func (s *Debtor) Discount_IsNil() bool

Returns whether the element value for Discount is nil in the container Debtor.

func (*Debtor) LocalCodeList

func (s *Debtor) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) LocalCodeList_IsNil

func (s *Debtor) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container Debtor.

func (*Debtor) LocalId

func (s *Debtor) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) LocalId_IsNil

func (s *Debtor) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container Debtor.

func (*Debtor) RefId

func (s *Debtor) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) RefId_IsNil

func (s *Debtor) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container Debtor.

func (*Debtor) SIF_ExtendedElements

func (s *Debtor) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) SIF_ExtendedElements_IsNil

func (s *Debtor) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container Debtor.

func (*Debtor) SIF_Metadata

func (s *Debtor) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor) SIF_Metadata_IsNil

func (s *Debtor) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container Debtor.

func (*Debtor) SetProperties

func (n *Debtor) SetProperties(props ...Prop) *Debtor

Set a sequence of properties

func (*Debtor) SetProperty

func (n *Debtor) SetProperty(key string, value interface{}) *Debtor

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Debtor) Unset

func (n *Debtor) Unset(key string) *Debtor

Set the value of a property to nil

type Debtor_BilledEntity

type Debtor_BilledEntity struct {
	// contains filtered or unexported fields
}

func Debtor_BilledEntityPointer

func Debtor_BilledEntityPointer(value interface{}) (*Debtor_BilledEntity, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDebtor_BilledEntity added in v0.1.0

func NewDebtor_BilledEntity() *Debtor_BilledEntity

Generates a new object as a pointer to a struct

func (*Debtor_BilledEntity) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Debtor_BilledEntity) SIF_RefObject

func (s *Debtor_BilledEntity) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor_BilledEntity) SIF_RefObject_IsNil

func (s *Debtor_BilledEntity) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container Debtor_BilledEntity.

func (*Debtor_BilledEntity) SetProperties

func (n *Debtor_BilledEntity) SetProperties(props ...Prop) *Debtor_BilledEntity

Set a sequence of properties

func (*Debtor_BilledEntity) SetProperty

func (n *Debtor_BilledEntity) SetProperty(key string, value interface{}) *Debtor_BilledEntity

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Debtor_BilledEntity) Unset

Set the value of a property to nil

func (*Debtor_BilledEntity) Value

func (s *Debtor_BilledEntity) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Debtor_BilledEntity) Value_IsNil

func (s *Debtor_BilledEntity) Value_IsNil() bool

Returns whether the element value for Value is nil in the container Debtor_BilledEntity.

type Debtors

type Debtors struct {
	// contains filtered or unexported fields
}

func DebtorsPointer added in v0.1.0

func DebtorsPointer(value interface{}) (*Debtors, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDebtors added in v0.1.0

func NewDebtors() *Debtors

Generates a new object as a pointer to a struct

func (*Debtors) AddNew added in v0.1.0

func (t *Debtors) AddNew() *Debtors

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*Debtors) Append added in v0.1.0

func (t *Debtors) Append(values ...*Debtor) *Debtors

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Debtors) Clone added in v0.1.0

func (t *Debtors) Clone() *Debtors

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Debtors) Index added in v0.1.0

func (t *Debtors) Index(n int) *Debtor

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*Debtors) Last added in v0.1.0

func (t *Debtors) Last() *debtor

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*Debtors) Len added in v0.1.0

func (t *Debtors) Len() int

Length of the list.

func (*Debtors) ToSlice added in v0.1.0

func (t *Debtors) ToSlice() []*Debtor

Convert list object to slice

type DefinedProtocolsType

type DefinedProtocolsType string

func DefinedProtocolsTypePointer

func DefinedProtocolsTypePointer(value interface{}) (*DefinedProtocolsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches DefinedProtocolsType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*DefinedProtocolsType) String

func (t *DefinedProtocolsType) String() string

Return string value

type DemographicsType

type DemographicsType struct {
	// contains filtered or unexported fields
}

func DemographicsTypePointer

func DemographicsTypePointer(value interface{}) (*DemographicsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDemographicsType added in v0.1.0

func NewDemographicsType() *DemographicsType

Generates a new object as a pointer to a struct

func (*DemographicsType) AustralianCitizenshipStatus

func (s *DemographicsType) AustralianCitizenshipStatus() *AUCodeSetsAustralianCitizenshipStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) AustralianCitizenshipStatus_IsNil

func (s *DemographicsType) AustralianCitizenshipStatus_IsNil() bool

Returns whether the element value for AustralianCitizenshipStatus is nil in the container DemographicsType.

func (*DemographicsType) BirthDate

func (s *DemographicsType) BirthDate() *BirthDateType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) BirthDateVerification

func (s *DemographicsType) BirthDateVerification() *AUCodeSetsBirthdateVerificationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) BirthDateVerification_IsNil

func (s *DemographicsType) BirthDateVerification_IsNil() bool

Returns whether the element value for BirthDateVerification is nil in the container DemographicsType.

func (*DemographicsType) BirthDate_IsNil

func (s *DemographicsType) BirthDate_IsNil() bool

Returns whether the element value for BirthDate is nil in the container DemographicsType.

func (*DemographicsType) Clone

func (t *DemographicsType) Clone() *DemographicsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DemographicsType) CountriesOfCitizenship

func (s *DemographicsType) CountriesOfCitizenship() *CountryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) CountriesOfCitizenship_IsNil

func (s *DemographicsType) CountriesOfCitizenship_IsNil() bool

Returns whether the element value for CountriesOfCitizenship is nil in the container DemographicsType.

func (*DemographicsType) CountriesOfResidency

func (s *DemographicsType) CountriesOfResidency() *CountryList2Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) CountriesOfResidency_IsNil

func (s *DemographicsType) CountriesOfResidency_IsNil() bool

Returns whether the element value for CountriesOfResidency is nil in the container DemographicsType.

func (*DemographicsType) CountryArrivalDate

func (s *DemographicsType) CountryArrivalDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) CountryArrivalDate_IsNil

func (s *DemographicsType) CountryArrivalDate_IsNil() bool

Returns whether the element value for CountryArrivalDate is nil in the container DemographicsType.

func (*DemographicsType) CountryOfBirth

func (s *DemographicsType) CountryOfBirth() *CountryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) CountryOfBirth_IsNil

func (s *DemographicsType) CountryOfBirth_IsNil() bool

Returns whether the element value for CountryOfBirth is nil in the container DemographicsType.

func (*DemographicsType) CulturalBackground

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) CulturalBackground_IsNil

func (s *DemographicsType) CulturalBackground_IsNil() bool

Returns whether the element value for CulturalBackground is nil in the container DemographicsType.

func (*DemographicsType) DateOfDeath

func (s *DemographicsType) DateOfDeath() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) DateOfDeath_IsNil

func (s *DemographicsType) DateOfDeath_IsNil() bool

Returns whether the element value for DateOfDeath is nil in the container DemographicsType.

func (*DemographicsType) Deceased

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) Deceased_IsNil

func (s *DemographicsType) Deceased_IsNil() bool

Returns whether the element value for Deceased is nil in the container DemographicsType.

func (*DemographicsType) DwellingArrangement

func (s *DemographicsType) DwellingArrangement() *DwellingArrangementType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) DwellingArrangement_IsNil

func (s *DemographicsType) DwellingArrangement_IsNil() bool

Returns whether the element value for DwellingArrangement is nil in the container DemographicsType.

func (*DemographicsType) EnglishProficiency

func (s *DemographicsType) EnglishProficiency() *EnglishProficiencyType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) EnglishProficiency_IsNil

func (s *DemographicsType) EnglishProficiency_IsNil() bool

Returns whether the element value for EnglishProficiency is nil in the container DemographicsType.

func (*DemographicsType) Gender

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) Gender_IsNil

func (s *DemographicsType) Gender_IsNil() bool

Returns whether the element value for Gender is nil in the container DemographicsType.

func (*DemographicsType) ImmunisationCertificateStatus

func (s *DemographicsType) ImmunisationCertificateStatus() *AUCodeSetsImmunisationCertificateStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) ImmunisationCertificateStatus_IsNil

func (s *DemographicsType) ImmunisationCertificateStatus_IsNil() bool

Returns whether the element value for ImmunisationCertificateStatus is nil in the container DemographicsType.

func (*DemographicsType) IndigenousStatus

func (s *DemographicsType) IndigenousStatus() *AUCodeSetsIndigenousStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) IndigenousStatus_IsNil

func (s *DemographicsType) IndigenousStatus_IsNil() bool

Returns whether the element value for IndigenousStatus is nil in the container DemographicsType.

func (*DemographicsType) InterpreterRequired

func (s *DemographicsType) InterpreterRequired() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) InterpreterRequired_IsNil

func (s *DemographicsType) InterpreterRequired_IsNil() bool

Returns whether the element value for InterpreterRequired is nil in the container DemographicsType.

func (*DemographicsType) LBOTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) LBOTE_IsNil

func (s *DemographicsType) LBOTE_IsNil() bool

Returns whether the element value for LBOTE is nil in the container DemographicsType.

func (*DemographicsType) LanguageList

func (s *DemographicsType) LanguageList() *LanguageListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) LanguageList_IsNil

func (s *DemographicsType) LanguageList_IsNil() bool

Returns whether the element value for LanguageList is nil in the container DemographicsType.

func (*DemographicsType) MaritalStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) MaritalStatus_IsNil

func (s *DemographicsType) MaritalStatus_IsNil() bool

Returns whether the element value for MaritalStatus is nil in the container DemographicsType.

func (*DemographicsType) MedicareCardHolder

func (s *DemographicsType) MedicareCardHolder() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) MedicareCardHolder_IsNil

func (s *DemographicsType) MedicareCardHolder_IsNil() bool

Returns whether the element value for MedicareCardHolder is nil in the container DemographicsType.

func (*DemographicsType) MedicareNumber

func (s *DemographicsType) MedicareNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) MedicareNumber_IsNil

func (s *DemographicsType) MedicareNumber_IsNil() bool

Returns whether the element value for MedicareNumber is nil in the container DemographicsType.

func (*DemographicsType) MedicarePositionNumber

func (s *DemographicsType) MedicarePositionNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) MedicarePositionNumber_IsNil

func (s *DemographicsType) MedicarePositionNumber_IsNil() bool

Returns whether the element value for MedicarePositionNumber is nil in the container DemographicsType.

func (*DemographicsType) Passport

func (s *DemographicsType) Passport() *PassportType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) Passport_IsNil

func (s *DemographicsType) Passport_IsNil() bool

Returns whether the element value for Passport is nil in the container DemographicsType.

func (*DemographicsType) PermanentResident

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) PermanentResident_IsNil

func (s *DemographicsType) PermanentResident_IsNil() bool

Returns whether the element value for PermanentResident is nil in the container DemographicsType.

func (*DemographicsType) PlaceOfBirth

func (s *DemographicsType) PlaceOfBirth() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) PlaceOfBirth_IsNil

func (s *DemographicsType) PlaceOfBirth_IsNil() bool

Returns whether the element value for PlaceOfBirth is nil in the container DemographicsType.

func (*DemographicsType) PrivateHealthInsurance

func (s *DemographicsType) PrivateHealthInsurance() *PrivateHealthInsuranceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) PrivateHealthInsurance_IsNil

func (s *DemographicsType) PrivateHealthInsurance_IsNil() bool

Returns whether the element value for PrivateHealthInsurance is nil in the container DemographicsType.

func (*DemographicsType) Religion

func (s *DemographicsType) Religion() *ReligionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) Religion_IsNil

func (s *DemographicsType) Religion_IsNil() bool

Returns whether the element value for Religion is nil in the container DemographicsType.

func (*DemographicsType) ReligiousEventList

func (s *DemographicsType) ReligiousEventList() *ReligiousEventListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) ReligiousEventList_IsNil

func (s *DemographicsType) ReligiousEventList_IsNil() bool

Returns whether the element value for ReligiousEventList is nil in the container DemographicsType.

func (*DemographicsType) ReligiousRegion

func (s *DemographicsType) ReligiousRegion() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) ReligiousRegion_IsNil

func (s *DemographicsType) ReligiousRegion_IsNil() bool

Returns whether the element value for ReligiousRegion is nil in the container DemographicsType.

func (*DemographicsType) SetProperties

func (n *DemographicsType) SetProperties(props ...Prop) *DemographicsType

Set a sequence of properties

func (*DemographicsType) SetProperty

func (n *DemographicsType) SetProperty(key string, value interface{}) *DemographicsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DemographicsType) Sex

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) Sex_IsNil

func (s *DemographicsType) Sex_IsNil() bool

Returns whether the element value for Sex is nil in the container DemographicsType.

func (*DemographicsType) StateOfBirth

func (s *DemographicsType) StateOfBirth() *StateProvinceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) StateOfBirth_IsNil

func (s *DemographicsType) StateOfBirth_IsNil() bool

Returns whether the element value for StateOfBirth is nil in the container DemographicsType.

func (*DemographicsType) Unset

func (n *DemographicsType) Unset(key string) *DemographicsType

Set the value of a property to nil

func (*DemographicsType) VisaConditions

func (s *DemographicsType) VisaConditions() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaConditions_IsNil

func (s *DemographicsType) VisaConditions_IsNil() bool

Returns whether the element value for VisaConditions is nil in the container DemographicsType.

func (*DemographicsType) VisaExpiryDate

func (s *DemographicsType) VisaExpiryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaExpiryDate_IsNil

func (s *DemographicsType) VisaExpiryDate_IsNil() bool

Returns whether the element value for VisaExpiryDate is nil in the container DemographicsType.

func (*DemographicsType) VisaGrantDate

func (s *DemographicsType) VisaGrantDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaGrantDate_IsNil

func (s *DemographicsType) VisaGrantDate_IsNil() bool

Returns whether the element value for VisaGrantDate is nil in the container DemographicsType.

func (*DemographicsType) VisaNumber

func (s *DemographicsType) VisaNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaNumber_IsNil

func (s *DemographicsType) VisaNumber_IsNil() bool

Returns whether the element value for VisaNumber is nil in the container DemographicsType.

func (*DemographicsType) VisaStatisticalCode

func (s *DemographicsType) VisaStatisticalCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaStatisticalCode_IsNil

func (s *DemographicsType) VisaStatisticalCode_IsNil() bool

Returns whether the element value for VisaStatisticalCode is nil in the container DemographicsType.

func (*DemographicsType) VisaStudyEntitlement

func (s *DemographicsType) VisaStudyEntitlement() *AUCodeSetsVisaStudyEntitlementType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaStudyEntitlement_IsNil

func (s *DemographicsType) VisaStudyEntitlement_IsNil() bool

Returns whether the element value for VisaStudyEntitlement is nil in the container DemographicsType.

func (*DemographicsType) VisaSubClass

func (s *DemographicsType) VisaSubClass() *VisaSubClassCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaSubClassList

func (s *DemographicsType) VisaSubClassList() *VisaSubClassListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DemographicsType) VisaSubClassList_IsNil

func (s *DemographicsType) VisaSubClassList_IsNil() bool

Returns whether the element value for VisaSubClassList is nil in the container DemographicsType.

func (*DemographicsType) VisaSubClass_IsNil

func (s *DemographicsType) VisaSubClass_IsNil() bool

Returns whether the element value for VisaSubClass is nil in the container DemographicsType.

type DepartureSchoolType

type DepartureSchoolType struct {
	// contains filtered or unexported fields
}

func DepartureSchoolTypePointer

func DepartureSchoolTypePointer(value interface{}) (*DepartureSchoolType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDepartureSchoolType added in v0.1.0

func NewDepartureSchoolType() *DepartureSchoolType

Generates a new object as a pointer to a struct

func (*DepartureSchoolType) ACARAId

func (s *DepartureSchoolType) ACARAId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DepartureSchoolType) ACARAId_IsNil

func (s *DepartureSchoolType) ACARAId_IsNil() bool

Returns whether the element value for ACARAId is nil in the container DepartureSchoolType.

func (*DepartureSchoolType) City

func (s *DepartureSchoolType) City() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DepartureSchoolType) City_IsNil

func (s *DepartureSchoolType) City_IsNil() bool

Returns whether the element value for City is nil in the container DepartureSchoolType.

func (*DepartureSchoolType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DepartureSchoolType) CommonwealthId

func (s *DepartureSchoolType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DepartureSchoolType) CommonwealthId_IsNil

func (s *DepartureSchoolType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container DepartureSchoolType.

func (*DepartureSchoolType) Name

func (s *DepartureSchoolType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DepartureSchoolType) Name_IsNil

func (s *DepartureSchoolType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container DepartureSchoolType.

func (*DepartureSchoolType) SchoolContactList

func (s *DepartureSchoolType) SchoolContactList() *SchoolContactListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DepartureSchoolType) SchoolContactList_IsNil

func (s *DepartureSchoolType) SchoolContactList_IsNil() bool

Returns whether the element value for SchoolContactList is nil in the container DepartureSchoolType.

func (*DepartureSchoolType) SetProperties

func (n *DepartureSchoolType) SetProperties(props ...Prop) *DepartureSchoolType

Set a sequence of properties

func (*DepartureSchoolType) SetProperty

func (n *DepartureSchoolType) SetProperty(key string, value interface{}) *DepartureSchoolType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DepartureSchoolType) Unset

Set the value of a property to nil

type DetentionContainerType

type DetentionContainerType struct {
	// contains filtered or unexported fields
}

func DetentionContainerTypePointer

func DetentionContainerTypePointer(value interface{}) (*DetentionContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDetentionContainerType added in v0.1.0

func NewDetentionContainerType() *DetentionContainerType

Generates a new object as a pointer to a struct

func (*DetentionContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DetentionContainerType) DetentionCategory

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DetentionContainerType) DetentionCategory_IsNil

func (s *DetentionContainerType) DetentionCategory_IsNil() bool

Returns whether the element value for DetentionCategory is nil in the container DetentionContainerType.

func (*DetentionContainerType) DetentionDate

func (s *DetentionContainerType) DetentionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DetentionContainerType) DetentionDate_IsNil

func (s *DetentionContainerType) DetentionDate_IsNil() bool

Returns whether the element value for DetentionDate is nil in the container DetentionContainerType.

func (*DetentionContainerType) DetentionLocation

func (s *DetentionContainerType) DetentionLocation() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DetentionContainerType) DetentionLocation_IsNil

func (s *DetentionContainerType) DetentionLocation_IsNil() bool

Returns whether the element value for DetentionLocation is nil in the container DetentionContainerType.

func (*DetentionContainerType) DetentionNotes

func (s *DetentionContainerType) DetentionNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DetentionContainerType) DetentionNotes_IsNil

func (s *DetentionContainerType) DetentionNotes_IsNil() bool

Returns whether the element value for DetentionNotes is nil in the container DetentionContainerType.

func (*DetentionContainerType) SetProperties

func (n *DetentionContainerType) SetProperties(props ...Prop) *DetentionContainerType

Set a sequence of properties

func (*DetentionContainerType) SetProperty

func (n *DetentionContainerType) SetProperty(key string, value interface{}) *DetentionContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DetentionContainerType) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DetentionContainerType) Status_IsNil

func (s *DetentionContainerType) Status_IsNil() bool

Returns whether the element value for Status is nil in the container DetentionContainerType.

func (*DetentionContainerType) Unset

Set the value of a property to nil

type DisabilityCategoryListType

type DisabilityCategoryListType struct {
	// contains filtered or unexported fields
}

func DisabilityCategoryListTypePointer

func DisabilityCategoryListTypePointer(value interface{}) (*DisabilityCategoryListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDisabilityCategoryListType added in v0.1.0

func NewDisabilityCategoryListType() *DisabilityCategoryListType

Generates a new object as a pointer to a struct

func (*DisabilityCategoryListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*DisabilityCategoryListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DisabilityCategoryListType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*DisabilityCategoryListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DisabilityCategoryListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*DisabilityCategoryListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*DisabilityCategoryListType) Len

Length of the list.

func (*DisabilityCategoryListType) ToSlice added in v0.1.0

Convert list object to slice

type DoNotShareWithListType

type DoNotShareWithListType struct {
	// contains filtered or unexported fields
}

func DoNotShareWithListTypePointer

func DoNotShareWithListTypePointer(value interface{}) (*DoNotShareWithListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDoNotShareWithListType added in v0.1.0

func NewDoNotShareWithListType() *DoNotShareWithListType

Generates a new object as a pointer to a struct

func (*DoNotShareWithListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*DoNotShareWithListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DoNotShareWithListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DoNotShareWithListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*DoNotShareWithListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*DoNotShareWithListType) Len

func (t *DoNotShareWithListType) Len() int

Length of the list.

func (*DoNotShareWithListType) ToSlice added in v0.1.0

Convert list object to slice

type DoNotShareWithType

type DoNotShareWithType struct {
	// contains filtered or unexported fields
}

func DoNotShareWithTypePointer

func DoNotShareWithTypePointer(value interface{}) (*DoNotShareWithType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDoNotShareWithType added in v0.1.0

func NewDoNotShareWithType() *DoNotShareWithType

Generates a new object as a pointer to a struct

func (*DoNotShareWithType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DoNotShareWithType) DoNotShareWithComments

func (s *DoNotShareWithType) DoNotShareWithComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithComments_IsNil

func (s *DoNotShareWithType) DoNotShareWithComments_IsNil() bool

Returns whether the element value for DoNotShareWithComments is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithLocalId

func (s *DoNotShareWithType) DoNotShareWithLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithLocalId_IsNil

func (s *DoNotShareWithType) DoNotShareWithLocalId_IsNil() bool

Returns whether the element value for DoNotShareWithLocalId is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithName

func (s *DoNotShareWithType) DoNotShareWithName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithName_IsNil

func (s *DoNotShareWithType) DoNotShareWithName_IsNil() bool

Returns whether the element value for DoNotShareWithName is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithObjectTypeName

func (s *DoNotShareWithType) DoNotShareWithObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithObjectTypeName_IsNil

func (s *DoNotShareWithType) DoNotShareWithObjectTypeName_IsNil() bool

Returns whether the element value for DoNotShareWithObjectTypeName is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithParty

func (s *DoNotShareWithType) DoNotShareWithParty() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithParty_IsNil

func (s *DoNotShareWithType) DoNotShareWithParty_IsNil() bool

Returns whether the element value for DoNotShareWithParty is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithPurpose

func (s *DoNotShareWithType) DoNotShareWithPurpose() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithPurpose_IsNil

func (s *DoNotShareWithType) DoNotShareWithPurpose_IsNil() bool

Returns whether the element value for DoNotShareWithPurpose is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithRefId

func (s *DoNotShareWithType) DoNotShareWithRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithRefId_IsNil

func (s *DoNotShareWithType) DoNotShareWithRefId_IsNil() bool

Returns whether the element value for DoNotShareWithRefId is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithRelationship

func (s *DoNotShareWithType) DoNotShareWithRelationship() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithRelationship_IsNil

func (s *DoNotShareWithType) DoNotShareWithRelationship_IsNil() bool

Returns whether the element value for DoNotShareWithRelationship is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithRole

func (s *DoNotShareWithType) DoNotShareWithRole() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithRole_IsNil

func (s *DoNotShareWithType) DoNotShareWithRole_IsNil() bool

Returns whether the element value for DoNotShareWithRole is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) DoNotShareWithURL

func (s *DoNotShareWithType) DoNotShareWithURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DoNotShareWithType) DoNotShareWithURL_IsNil

func (s *DoNotShareWithType) DoNotShareWithURL_IsNil() bool

Returns whether the element value for DoNotShareWithURL is nil in the container DoNotShareWithType.

func (*DoNotShareWithType) SetProperties

func (n *DoNotShareWithType) SetProperties(props ...Prop) *DoNotShareWithType

Set a sequence of properties

func (*DoNotShareWithType) SetProperty

func (n *DoNotShareWithType) SetProperty(key string, value interface{}) *DoNotShareWithType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DoNotShareWithType) Unset

Set the value of a property to nil

type DomainBandsContainerType

type DomainBandsContainerType struct {
	// contains filtered or unexported fields
}

func DomainBandsContainerTypePointer

func DomainBandsContainerTypePointer(value interface{}) (*DomainBandsContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDomainBandsContainerType added in v0.1.0

func NewDomainBandsContainerType() *DomainBandsContainerType

Generates a new object as a pointer to a struct

func (*DomainBandsContainerType) Band10Lower

func (s *DomainBandsContainerType) Band10Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band10Lower_IsNil

func (s *DomainBandsContainerType) Band10Lower_IsNil() bool

Returns whether the element value for Band10Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band10Upper

func (s *DomainBandsContainerType) Band10Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band10Upper_IsNil

func (s *DomainBandsContainerType) Band10Upper_IsNil() bool

Returns whether the element value for Band10Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band1Lower

func (s *DomainBandsContainerType) Band1Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band1Lower_IsNil

func (s *DomainBandsContainerType) Band1Lower_IsNil() bool

Returns whether the element value for Band1Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band1Upper

func (s *DomainBandsContainerType) Band1Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band1Upper_IsNil

func (s *DomainBandsContainerType) Band1Upper_IsNil() bool

Returns whether the element value for Band1Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band2Lower

func (s *DomainBandsContainerType) Band2Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band2Lower_IsNil

func (s *DomainBandsContainerType) Band2Lower_IsNil() bool

Returns whether the element value for Band2Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band2Upper

func (s *DomainBandsContainerType) Band2Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band2Upper_IsNil

func (s *DomainBandsContainerType) Band2Upper_IsNil() bool

Returns whether the element value for Band2Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band3Lower

func (s *DomainBandsContainerType) Band3Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band3Lower_IsNil

func (s *DomainBandsContainerType) Band3Lower_IsNil() bool

Returns whether the element value for Band3Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band3Upper

func (s *DomainBandsContainerType) Band3Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band3Upper_IsNil

func (s *DomainBandsContainerType) Band3Upper_IsNil() bool

Returns whether the element value for Band3Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band4Lower

func (s *DomainBandsContainerType) Band4Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band4Lower_IsNil

func (s *DomainBandsContainerType) Band4Lower_IsNil() bool

Returns whether the element value for Band4Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band4Upper

func (s *DomainBandsContainerType) Band4Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band4Upper_IsNil

func (s *DomainBandsContainerType) Band4Upper_IsNil() bool

Returns whether the element value for Band4Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band5Lower

func (s *DomainBandsContainerType) Band5Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band5Lower_IsNil

func (s *DomainBandsContainerType) Band5Lower_IsNil() bool

Returns whether the element value for Band5Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band5Upper

func (s *DomainBandsContainerType) Band5Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band5Upper_IsNil

func (s *DomainBandsContainerType) Band5Upper_IsNil() bool

Returns whether the element value for Band5Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band6Lower

func (s *DomainBandsContainerType) Band6Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band6Lower_IsNil

func (s *DomainBandsContainerType) Band6Lower_IsNil() bool

Returns whether the element value for Band6Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band6Upper

func (s *DomainBandsContainerType) Band6Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band6Upper_IsNil

func (s *DomainBandsContainerType) Band6Upper_IsNil() bool

Returns whether the element value for Band6Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band7Lower

func (s *DomainBandsContainerType) Band7Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band7Lower_IsNil

func (s *DomainBandsContainerType) Band7Lower_IsNil() bool

Returns whether the element value for Band7Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band7Upper

func (s *DomainBandsContainerType) Band7Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band7Upper_IsNil

func (s *DomainBandsContainerType) Band7Upper_IsNil() bool

Returns whether the element value for Band7Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band8Lower

func (s *DomainBandsContainerType) Band8Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band8Lower_IsNil

func (s *DomainBandsContainerType) Band8Lower_IsNil() bool

Returns whether the element value for Band8Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band8Upper

func (s *DomainBandsContainerType) Band8Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band8Upper_IsNil

func (s *DomainBandsContainerType) Band8Upper_IsNil() bool

Returns whether the element value for Band8Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band9Lower

func (s *DomainBandsContainerType) Band9Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band9Lower_IsNil

func (s *DomainBandsContainerType) Band9Lower_IsNil() bool

Returns whether the element value for Band9Lower is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Band9Upper

func (s *DomainBandsContainerType) Band9Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainBandsContainerType) Band9Upper_IsNil

func (s *DomainBandsContainerType) Band9Upper_IsNil() bool

Returns whether the element value for Band9Upper is nil in the container DomainBandsContainerType.

func (*DomainBandsContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DomainBandsContainerType) SetProperties

func (n *DomainBandsContainerType) SetProperties(props ...Prop) *DomainBandsContainerType

Set a sequence of properties

func (*DomainBandsContainerType) SetProperty

func (n *DomainBandsContainerType) SetProperty(key string, value interface{}) *DomainBandsContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DomainBandsContainerType) Unset

Set the value of a property to nil

type DomainProficiencyContainerType

type DomainProficiencyContainerType struct {
	// contains filtered or unexported fields
}

func DomainProficiencyContainerTypePointer

func DomainProficiencyContainerTypePointer(value interface{}) (*DomainProficiencyContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDomainProficiencyContainerType added in v0.1.0

func NewDomainProficiencyContainerType() *DomainProficiencyContainerType

Generates a new object as a pointer to a struct

func (*DomainProficiencyContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DomainProficiencyContainerType) Level1Lower

func (s *DomainProficiencyContainerType) Level1Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level1Lower_IsNil

func (s *DomainProficiencyContainerType) Level1Lower_IsNil() bool

Returns whether the element value for Level1Lower is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level1Upper

func (s *DomainProficiencyContainerType) Level1Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level1Upper_IsNil

func (s *DomainProficiencyContainerType) Level1Upper_IsNil() bool

Returns whether the element value for Level1Upper is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level2Lower

func (s *DomainProficiencyContainerType) Level2Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level2Lower_IsNil

func (s *DomainProficiencyContainerType) Level2Lower_IsNil() bool

Returns whether the element value for Level2Lower is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level2Upper

func (s *DomainProficiencyContainerType) Level2Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level2Upper_IsNil

func (s *DomainProficiencyContainerType) Level2Upper_IsNil() bool

Returns whether the element value for Level2Upper is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level3Lower

func (s *DomainProficiencyContainerType) Level3Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level3Lower_IsNil

func (s *DomainProficiencyContainerType) Level3Lower_IsNil() bool

Returns whether the element value for Level3Lower is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level3Upper

func (s *DomainProficiencyContainerType) Level3Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level3Upper_IsNil

func (s *DomainProficiencyContainerType) Level3Upper_IsNil() bool

Returns whether the element value for Level3Upper is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level4Lower

func (s *DomainProficiencyContainerType) Level4Lower() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level4Lower_IsNil

func (s *DomainProficiencyContainerType) Level4Lower_IsNil() bool

Returns whether the element value for Level4Lower is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) Level4Upper

func (s *DomainProficiencyContainerType) Level4Upper() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainProficiencyContainerType) Level4Upper_IsNil

func (s *DomainProficiencyContainerType) Level4Upper_IsNil() bool

Returns whether the element value for Level4Upper is nil in the container DomainProficiencyContainerType.

func (*DomainProficiencyContainerType) SetProperties

Set a sequence of properties

func (*DomainProficiencyContainerType) SetProperty

func (n *DomainProficiencyContainerType) SetProperty(key string, value interface{}) *DomainProficiencyContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DomainProficiencyContainerType) Unset

Set the value of a property to nil

type DomainScoreSDTNType

type DomainScoreSDTNType struct {
	// contains filtered or unexported fields
}

func DomainScoreSDTNTypePointer

func DomainScoreSDTNTypePointer(value interface{}) (*DomainScoreSDTNType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDomainScoreSDTNType added in v0.1.0

func NewDomainScoreSDTNType() *DomainScoreSDTNType

Generates a new object as a pointer to a struct

func (*DomainScoreSDTNType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DomainScoreSDTNType) PlausibleScaledValueList

func (s *DomainScoreSDTNType) PlausibleScaledValueList() *PlausibleScaledValueListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) PlausibleScaledValueList_IsNil

func (s *DomainScoreSDTNType) PlausibleScaledValueList_IsNil() bool

Returns whether the element value for PlausibleScaledValueList is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) RawScore

func (s *DomainScoreSDTNType) RawScore() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) RawScore_IsNil

func (s *DomainScoreSDTNType) RawScore_IsNil() bool

Returns whether the element value for RawScore is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) ScaledScoreLogitStandardError

func (s *DomainScoreSDTNType) ScaledScoreLogitStandardError() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) ScaledScoreLogitStandardError_IsNil

func (s *DomainScoreSDTNType) ScaledScoreLogitStandardError_IsNil() bool

Returns whether the element value for ScaledScoreLogitStandardError is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) ScaledScoreLogitValue

func (s *DomainScoreSDTNType) ScaledScoreLogitValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) ScaledScoreLogitValue_IsNil

func (s *DomainScoreSDTNType) ScaledScoreLogitValue_IsNil() bool

Returns whether the element value for ScaledScoreLogitValue is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) ScaledScoreStandardError

func (s *DomainScoreSDTNType) ScaledScoreStandardError() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) ScaledScoreStandardError_IsNil

func (s *DomainScoreSDTNType) ScaledScoreStandardError_IsNil() bool

Returns whether the element value for ScaledScoreStandardError is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) ScaledScoreValue

func (s *DomainScoreSDTNType) ScaledScoreValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) ScaledScoreValue_IsNil

func (s *DomainScoreSDTNType) ScaledScoreValue_IsNil() bool

Returns whether the element value for ScaledScoreValue is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) SetProperties

func (n *DomainScoreSDTNType) SetProperties(props ...Prop) *DomainScoreSDTNType

Set a sequence of properties

func (*DomainScoreSDTNType) SetProperty

func (n *DomainScoreSDTNType) SetProperty(key string, value interface{}) *DomainScoreSDTNType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DomainScoreSDTNType) StudentDomainBand

func (s *DomainScoreSDTNType) StudentDomainBand() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) StudentDomainBand_IsNil

func (s *DomainScoreSDTNType) StudentDomainBand_IsNil() bool

Returns whether the element value for StudentDomainBand is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) StudentProficiency

func (s *DomainScoreSDTNType) StudentProficiency() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreSDTNType) StudentProficiency_IsNil

func (s *DomainScoreSDTNType) StudentProficiency_IsNil() bool

Returns whether the element value for StudentProficiency is nil in the container DomainScoreSDTNType.

func (*DomainScoreSDTNType) Unset

Set the value of a property to nil

type DomainScoreType

type DomainScoreType struct {
	// contains filtered or unexported fields
}

func DomainScoreTypePointer

func DomainScoreTypePointer(value interface{}) (*DomainScoreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDomainScoreType added in v0.1.0

func NewDomainScoreType() *DomainScoreType

Generates a new object as a pointer to a struct

func (*DomainScoreType) Clone

func (t *DomainScoreType) Clone() *DomainScoreType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DomainScoreType) PlausibleScaledValueList

func (s *DomainScoreType) PlausibleScaledValueList() *PlausibleScaledValueListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) PlausibleScaledValueList_IsNil

func (s *DomainScoreType) PlausibleScaledValueList_IsNil() bool

Returns whether the element value for PlausibleScaledValueList is nil in the container DomainScoreType.

func (*DomainScoreType) RawScore

func (s *DomainScoreType) RawScore() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) RawScore_IsNil

func (s *DomainScoreType) RawScore_IsNil() bool

Returns whether the element value for RawScore is nil in the container DomainScoreType.

func (*DomainScoreType) ScaledScoreLogitStandardError

func (s *DomainScoreType) ScaledScoreLogitStandardError() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) ScaledScoreLogitStandardError_IsNil

func (s *DomainScoreType) ScaledScoreLogitStandardError_IsNil() bool

Returns whether the element value for ScaledScoreLogitStandardError is nil in the container DomainScoreType.

func (*DomainScoreType) ScaledScoreLogitValue

func (s *DomainScoreType) ScaledScoreLogitValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) ScaledScoreLogitValue_IsNil

func (s *DomainScoreType) ScaledScoreLogitValue_IsNil() bool

Returns whether the element value for ScaledScoreLogitValue is nil in the container DomainScoreType.

func (*DomainScoreType) ScaledScoreStandardError

func (s *DomainScoreType) ScaledScoreStandardError() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) ScaledScoreStandardError_IsNil

func (s *DomainScoreType) ScaledScoreStandardError_IsNil() bool

Returns whether the element value for ScaledScoreStandardError is nil in the container DomainScoreType.

func (*DomainScoreType) ScaledScoreValue

func (s *DomainScoreType) ScaledScoreValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) ScaledScoreValue_IsNil

func (s *DomainScoreType) ScaledScoreValue_IsNil() bool

Returns whether the element value for ScaledScoreValue is nil in the container DomainScoreType.

func (*DomainScoreType) SetProperties

func (n *DomainScoreType) SetProperties(props ...Prop) *DomainScoreType

Set a sequence of properties

func (*DomainScoreType) SetProperty

func (n *DomainScoreType) SetProperty(key string, value interface{}) *DomainScoreType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DomainScoreType) StudentDomainBand

func (s *DomainScoreType) StudentDomainBand() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) StudentDomainBand_IsNil

func (s *DomainScoreType) StudentDomainBand_IsNil() bool

Returns whether the element value for StudentDomainBand is nil in the container DomainScoreType.

func (*DomainScoreType) StudentProficiency

func (s *DomainScoreType) StudentProficiency() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DomainScoreType) StudentProficiency_IsNil

func (s *DomainScoreType) StudentProficiency_IsNil() bool

Returns whether the element value for StudentProficiency is nil in the container DomainScoreType.

func (*DomainScoreType) Unset

func (n *DomainScoreType) Unset(key string) *DomainScoreType

Set the value of a property to nil

type DurationType

type DurationType struct {
	// contains filtered or unexported fields
}

func DurationTypePointer

func DurationTypePointer(value interface{}) (*DurationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDurationType added in v0.1.0

func NewDurationType() *DurationType

Generates a new object as a pointer to a struct

func (*DurationType) Clone

func (t *DurationType) Clone() *DurationType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DurationType) SetProperties

func (n *DurationType) SetProperties(props ...Prop) *DurationType

Set a sequence of properties

func (*DurationType) SetProperty

func (n *DurationType) SetProperty(key string, value interface{}) *DurationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DurationType) Units

func (s *DurationType) Units() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DurationType) Units_IsNil

func (s *DurationType) Units_IsNil() bool

Returns whether the element value for Units is nil in the container DurationType.

func (*DurationType) Unset

func (n *DurationType) Unset(key string) *DurationType

Set the value of a property to nil

func (*DurationType) Value

func (s *DurationType) Value() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DurationType) Value_IsNil

func (s *DurationType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container DurationType.

type DwellingArrangementType

type DwellingArrangementType struct {
	// contains filtered or unexported fields
}

func DwellingArrangementTypePointer

func DwellingArrangementTypePointer(value interface{}) (*DwellingArrangementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewDwellingArrangementType added in v0.1.0

func NewDwellingArrangementType() *DwellingArrangementType

Generates a new object as a pointer to a struct

func (*DwellingArrangementType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*DwellingArrangementType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DwellingArrangementType) Code_IsNil

func (s *DwellingArrangementType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container DwellingArrangementType.

func (*DwellingArrangementType) OtherCodeList

func (s *DwellingArrangementType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*DwellingArrangementType) OtherCodeList_IsNil

func (s *DwellingArrangementType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container DwellingArrangementType.

func (*DwellingArrangementType) SetProperties

func (n *DwellingArrangementType) SetProperties(props ...Prop) *DwellingArrangementType

Set a sequence of properties

func (*DwellingArrangementType) SetProperty

func (n *DwellingArrangementType) SetProperty(key string, value interface{}) *DwellingArrangementType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*DwellingArrangementType) Unset

Set the value of a property to nil

type EducationalAssessmentListType

type EducationalAssessmentListType struct {
	// contains filtered or unexported fields
}

func EducationalAssessmentListTypePointer

func EducationalAssessmentListTypePointer(value interface{}) (*EducationalAssessmentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEducationalAssessmentListType added in v0.1.0

func NewEducationalAssessmentListType() *EducationalAssessmentListType

Generates a new object as a pointer to a struct

func (*EducationalAssessmentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*EducationalAssessmentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EducationalAssessmentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EducationalAssessmentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*EducationalAssessmentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*EducationalAssessmentListType) Len

Length of the list.

func (*EducationalAssessmentListType) ToSlice added in v0.1.0

Convert list object to slice

type EducationalAssessmentType

type EducationalAssessmentType struct {
	// contains filtered or unexported fields
}

func EducationalAssessmentTypePointer

func EducationalAssessmentTypePointer(value interface{}) (*EducationalAssessmentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEducationalAssessmentType added in v0.1.0

func NewEducationalAssessmentType() *EducationalAssessmentType

Generates a new object as a pointer to a struct

func (*EducationalAssessmentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EducationalAssessmentType) Content

func (s *EducationalAssessmentType) Content() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EducationalAssessmentType) Content_IsNil

func (s *EducationalAssessmentType) Content_IsNil() bool

Returns whether the element value for Content is nil in the container EducationalAssessmentType.

func (*EducationalAssessmentType) Name

func (s *EducationalAssessmentType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EducationalAssessmentType) Name_IsNil

func (s *EducationalAssessmentType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container EducationalAssessmentType.

func (*EducationalAssessmentType) SetProperties

func (n *EducationalAssessmentType) SetProperties(props ...Prop) *EducationalAssessmentType

Set a sequence of properties

func (*EducationalAssessmentType) SetProperty

func (n *EducationalAssessmentType) SetProperty(key string, value interface{}) *EducationalAssessmentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EducationalAssessmentType) Unset

Set the value of a property to nil

type EducationalLevelType

type EducationalLevelType AUCodeSetsSchoolEducationLevelTypeType

func EducationalLevelTypePointer

func EducationalLevelTypePointer(value interface{}) (*EducationalLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches EducationalLevelType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*EducationalLevelType) String

func (t *EducationalLevelType) String() string

Return string value

type ElectronicIdListType

type ElectronicIdListType struct {
	// contains filtered or unexported fields
}

func ElectronicIdListTypePointer

func ElectronicIdListTypePointer(value interface{}) (*ElectronicIdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewElectronicIdListType added in v0.1.0

func NewElectronicIdListType() *ElectronicIdListType

Generates a new object as a pointer to a struct

func (*ElectronicIdListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ElectronicIdListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ElectronicIdListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ElectronicIdListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ElectronicIdListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ElectronicIdListType) Len

func (t *ElectronicIdListType) Len() int

Length of the list.

func (*ElectronicIdListType) ToSlice added in v0.1.0

func (t *ElectronicIdListType) ToSlice() []*ElectronicIdType

Convert list object to slice

type ElectronicIdType

type ElectronicIdType struct {
	// contains filtered or unexported fields
}

func ElectronicIdTypePointer

func ElectronicIdTypePointer(value interface{}) (*ElectronicIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewElectronicIdType added in v0.1.0

func NewElectronicIdType() *ElectronicIdType

Generates a new object as a pointer to a struct

func (*ElectronicIdType) Clone

func (t *ElectronicIdType) Clone() *ElectronicIdType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ElectronicIdType) SetProperties

func (n *ElectronicIdType) SetProperties(props ...Prop) *ElectronicIdType

Set a sequence of properties

func (*ElectronicIdType) SetProperty

func (n *ElectronicIdType) SetProperty(key string, value interface{}) *ElectronicIdType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ElectronicIdType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ElectronicIdType) Type_IsNil

func (s *ElectronicIdType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container ElectronicIdType.

func (*ElectronicIdType) Unset

func (n *ElectronicIdType) Unset(key string) *ElectronicIdType

Set the value of a property to nil

func (*ElectronicIdType) Value

func (s *ElectronicIdType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ElectronicIdType) Value_IsNil

func (s *ElectronicIdType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container ElectronicIdType.

type EmailListType

type EmailListType struct {
	// contains filtered or unexported fields
}

func EmailListTypePointer

func EmailListTypePointer(value interface{}) (*EmailListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEmailListType added in v0.1.0

func NewEmailListType() *EmailListType

Generates a new object as a pointer to a struct

func (*EmailListType) AddNew

func (t *EmailListType) AddNew() *EmailListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*EmailListType) Append

func (t *EmailListType) Append(values ...EmailType) *EmailListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EmailListType) Clone

func (t *EmailListType) Clone() *EmailListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EmailListType) Index

func (t *EmailListType) Index(n int) *EmailType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*EmailListType) Last

func (t *EmailListType) Last() *EmailType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*EmailListType) Len

func (t *EmailListType) Len() int

Length of the list.

func (*EmailListType) ToSlice added in v0.1.0

func (t *EmailListType) ToSlice() []*EmailType

Convert list object to slice

type EmailType

type EmailType struct {
	// contains filtered or unexported fields
}

func EmailTypePointer

func EmailTypePointer(value interface{}) (*EmailType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEmailType added in v0.1.0

func NewEmailType() *EmailType

Generates a new object as a pointer to a struct

func (*EmailType) Clone

func (t *EmailType) Clone() *EmailType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EmailType) SetProperties

func (n *EmailType) SetProperties(props ...Prop) *EmailType

Set a sequence of properties

func (*EmailType) SetProperty

func (n *EmailType) SetProperty(key string, value interface{}) *EmailType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EmailType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EmailType) Type_IsNil

func (s *EmailType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container EmailType.

func (*EmailType) Unset

func (n *EmailType) Unset(key string) *EmailType

Set the value of a property to nil

func (*EmailType) Value

func (s *EmailType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EmailType) Value_IsNil

func (s *EmailType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container EmailType.

type EnglishProficiencyType

type EnglishProficiencyType struct {
	// contains filtered or unexported fields
}

func EnglishProficiencyTypePointer

func EnglishProficiencyTypePointer(value interface{}) (*EnglishProficiencyType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEnglishProficiencyType added in v0.1.0

func NewEnglishProficiencyType() *EnglishProficiencyType

Generates a new object as a pointer to a struct

func (*EnglishProficiencyType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EnglishProficiencyType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EnglishProficiencyType) Code_IsNil

func (s *EnglishProficiencyType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container EnglishProficiencyType.

func (*EnglishProficiencyType) OtherCodeList

func (s *EnglishProficiencyType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EnglishProficiencyType) OtherCodeList_IsNil

func (s *EnglishProficiencyType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container EnglishProficiencyType.

func (*EnglishProficiencyType) SetProperties

func (n *EnglishProficiencyType) SetProperties(props ...Prop) *EnglishProficiencyType

Set a sequence of properties

func (*EnglishProficiencyType) SetProperty

func (n *EnglishProficiencyType) SetProperty(key string, value interface{}) *EnglishProficiencyType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EnglishProficiencyType) Unset

Set the value of a property to nil

type EntityContactInfoType

type EntityContactInfoType struct {
	// contains filtered or unexported fields
}

func EntityContactInfoTypePointer

func EntityContactInfoTypePointer(value interface{}) (*EntityContactInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEntityContactInfoType added in v0.1.0

func NewEntityContactInfoType() *EntityContactInfoType

Generates a new object as a pointer to a struct

func (*EntityContactInfoType) Address

func (s *EntityContactInfoType) Address() *AddressType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) Address_IsNil

func (s *EntityContactInfoType) Address_IsNil() bool

Returns whether the element value for Address is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EntityContactInfoType) Email

func (s *EntityContactInfoType) Email() *EmailType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) Email_IsNil

func (s *EntityContactInfoType) Email_IsNil() bool

Returns whether the element value for Email is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) Name

func (s *EntityContactInfoType) Name() *NameType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) Name_IsNil

func (s *EntityContactInfoType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) PhoneNumber

func (s *EntityContactInfoType) PhoneNumber() *PhoneNumberType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) PhoneNumber_IsNil

func (s *EntityContactInfoType) PhoneNumber_IsNil() bool

Returns whether the element value for PhoneNumber is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) PositionTitle

func (s *EntityContactInfoType) PositionTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) PositionTitle_IsNil

func (s *EntityContactInfoType) PositionTitle_IsNil() bool

Returns whether the element value for PositionTitle is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) Qualifications

func (s *EntityContactInfoType) Qualifications() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) Qualifications_IsNil

func (s *EntityContactInfoType) Qualifications_IsNil() bool

Returns whether the element value for Qualifications is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) RegistrationDetails

func (s *EntityContactInfoType) RegistrationDetails() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) RegistrationDetails_IsNil

func (s *EntityContactInfoType) RegistrationDetails_IsNil() bool

Returns whether the element value for RegistrationDetails is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) Role

func (s *EntityContactInfoType) Role() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EntityContactInfoType) Role_IsNil

func (s *EntityContactInfoType) Role_IsNil() bool

Returns whether the element value for Role is nil in the container EntityContactInfoType.

func (*EntityContactInfoType) SetProperties

func (n *EntityContactInfoType) SetProperties(props ...Prop) *EntityContactInfoType

Set a sequence of properties

func (*EntityContactInfoType) SetProperty

func (n *EntityContactInfoType) SetProperty(key string, value interface{}) *EntityContactInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EntityContactInfoType) Unset

Set the value of a property to nil

type EquipmentInfo

type EquipmentInfo struct {
	// contains filtered or unexported fields
}

func EquipmentInfoPointer

func EquipmentInfoPointer(value interface{}) (*EquipmentInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func EquipmentInfoSlice

func EquipmentInfoSlice() []*EquipmentInfo

Create a slice of pointers to the object type

func NewEquipmentInfo added in v0.1.0

func NewEquipmentInfo() *EquipmentInfo

Generates a new object as a pointer to a struct

func (*EquipmentInfo) AssetNumber

func (s *EquipmentInfo) AssetNumber() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) AssetNumber_IsNil

func (s *EquipmentInfo) AssetNumber_IsNil() bool

Returns whether the element value for AssetNumber is nil in the container EquipmentInfo.

func (*EquipmentInfo) Clone

func (t *EquipmentInfo) Clone() *EquipmentInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EquipmentInfo) Description

func (s *EquipmentInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) Description_IsNil

func (s *EquipmentInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container EquipmentInfo.

func (*EquipmentInfo) EquipmentType

func (s *EquipmentInfo) EquipmentType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) EquipmentType_IsNil

func (s *EquipmentInfo) EquipmentType_IsNil() bool

Returns whether the element value for EquipmentType is nil in the container EquipmentInfo.

func (*EquipmentInfo) InvoiceRefId

func (s *EquipmentInfo) InvoiceRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) InvoiceRefId_IsNil

func (s *EquipmentInfo) InvoiceRefId_IsNil() bool

Returns whether the element value for InvoiceRefId is nil in the container EquipmentInfo.

func (*EquipmentInfo) LocalCodeList

func (s *EquipmentInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) LocalCodeList_IsNil

func (s *EquipmentInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container EquipmentInfo.

func (*EquipmentInfo) LocalId

func (s *EquipmentInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) LocalId_IsNil

func (s *EquipmentInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container EquipmentInfo.

func (*EquipmentInfo) Name

func (s *EquipmentInfo) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) Name_IsNil

func (s *EquipmentInfo) Name_IsNil() bool

Returns whether the element value for Name is nil in the container EquipmentInfo.

func (*EquipmentInfo) PurchaseOrderRefId

func (s *EquipmentInfo) PurchaseOrderRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) PurchaseOrderRefId_IsNil

func (s *EquipmentInfo) PurchaseOrderRefId_IsNil() bool

Returns whether the element value for PurchaseOrderRefId is nil in the container EquipmentInfo.

func (*EquipmentInfo) RefId

func (s *EquipmentInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) RefId_IsNil

func (s *EquipmentInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container EquipmentInfo.

func (*EquipmentInfo) SIF_ExtendedElements

func (s *EquipmentInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) SIF_ExtendedElements_IsNil

func (s *EquipmentInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container EquipmentInfo.

func (*EquipmentInfo) SIF_Metadata

func (s *EquipmentInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) SIF_Metadata_IsNil

func (s *EquipmentInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container EquipmentInfo.

func (*EquipmentInfo) SIF_RefId

func (s *EquipmentInfo) SIF_RefId() *EquipmentInfo_SIF_RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo) SIF_RefId_IsNil

func (s *EquipmentInfo) SIF_RefId_IsNil() bool

Returns whether the element value for SIF_RefId is nil in the container EquipmentInfo.

func (*EquipmentInfo) SetProperties

func (n *EquipmentInfo) SetProperties(props ...Prop) *EquipmentInfo

Set a sequence of properties

func (*EquipmentInfo) SetProperty

func (n *EquipmentInfo) SetProperty(key string, value interface{}) *EquipmentInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EquipmentInfo) Unset

func (n *EquipmentInfo) Unset(key string) *EquipmentInfo

Set the value of a property to nil

type EquipmentInfo_SIF_RefId

type EquipmentInfo_SIF_RefId struct {
	// contains filtered or unexported fields
}

func EquipmentInfo_SIF_RefIdPointer

func EquipmentInfo_SIF_RefIdPointer(value interface{}) (*EquipmentInfo_SIF_RefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEquipmentInfo_SIF_RefId added in v0.1.0

func NewEquipmentInfo_SIF_RefId() *EquipmentInfo_SIF_RefId

Generates a new object as a pointer to a struct

func (*EquipmentInfo_SIF_RefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EquipmentInfo_SIF_RefId) SIF_RefObject

func (s *EquipmentInfo_SIF_RefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo_SIF_RefId) SIF_RefObject_IsNil

func (s *EquipmentInfo_SIF_RefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container EquipmentInfo_SIF_RefId.

func (*EquipmentInfo_SIF_RefId) SetProperties

func (n *EquipmentInfo_SIF_RefId) SetProperties(props ...Prop) *EquipmentInfo_SIF_RefId

Set a sequence of properties

func (*EquipmentInfo_SIF_RefId) SetProperty

func (n *EquipmentInfo_SIF_RefId) SetProperty(key string, value interface{}) *EquipmentInfo_SIF_RefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EquipmentInfo_SIF_RefId) Unset

Set the value of a property to nil

func (*EquipmentInfo_SIF_RefId) Value

func (s *EquipmentInfo_SIF_RefId) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EquipmentInfo_SIF_RefId) Value_IsNil

func (s *EquipmentInfo_SIF_RefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container EquipmentInfo_SIF_RefId.

type EquipmentInfos

type EquipmentInfos struct {
	// contains filtered or unexported fields
}

func EquipmentInfosPointer added in v0.1.0

func EquipmentInfosPointer(value interface{}) (*EquipmentInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEquipmentInfos added in v0.1.0

func NewEquipmentInfos() *EquipmentInfos

Generates a new object as a pointer to a struct

func (*EquipmentInfos) AddNew added in v0.1.0

func (t *EquipmentInfos) AddNew() *EquipmentInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*EquipmentInfos) Append added in v0.1.0

func (t *EquipmentInfos) Append(values ...*EquipmentInfo) *EquipmentInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EquipmentInfos) Clone added in v0.1.0

func (t *EquipmentInfos) Clone() *EquipmentInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EquipmentInfos) Index added in v0.1.0

func (t *EquipmentInfos) Index(n int) *EquipmentInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*EquipmentInfos) Last added in v0.1.0

func (t *EquipmentInfos) Last() *equipmentinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*EquipmentInfos) Len added in v0.1.0

func (t *EquipmentInfos) Len() int

Length of the list.

func (*EquipmentInfos) ToSlice added in v0.1.0

func (t *EquipmentInfos) ToSlice() []*EquipmentInfo

Convert list object to slice

type EssentialMaterialsType

type EssentialMaterialsType struct {
	// contains filtered or unexported fields
}

func EssentialMaterialsTypePointer

func EssentialMaterialsTypePointer(value interface{}) (*EssentialMaterialsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEssentialMaterialsType added in v0.1.0

func NewEssentialMaterialsType() *EssentialMaterialsType

Generates a new object as a pointer to a struct

func (*EssentialMaterialsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*EssentialMaterialsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EssentialMaterialsType) AppendString

func (t *EssentialMaterialsType) AppendString(value string) *EssentialMaterialsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*EssentialMaterialsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EssentialMaterialsType) Index

func (t *EssentialMaterialsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*EssentialMaterialsType) Last

func (t *EssentialMaterialsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*EssentialMaterialsType) Len

func (t *EssentialMaterialsType) Len() int

Length of the list.

func (*EssentialMaterialsType) ToSlice added in v0.1.0

func (t *EssentialMaterialsType) ToSlice() []*string

Convert list object to slice

type EvaluationType

type EvaluationType struct {
	// contains filtered or unexported fields
}

func EvaluationTypePointer

func EvaluationTypePointer(value interface{}) (*EvaluationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEvaluationType added in v0.1.0

func NewEvaluationType() *EvaluationType

Generates a new object as a pointer to a struct

func (*EvaluationType) Clone

func (t *EvaluationType) Clone() *EvaluationType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EvaluationType) Date

func (s *EvaluationType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EvaluationType) Date_IsNil

func (s *EvaluationType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container EvaluationType.

func (*EvaluationType) Description

func (s *EvaluationType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EvaluationType) Description_IsNil

func (s *EvaluationType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container EvaluationType.

func (*EvaluationType) Name

func (s *EvaluationType) Name() *NameType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EvaluationType) Name_IsNil

func (s *EvaluationType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container EvaluationType.

func (*EvaluationType) RefId

func (s *EvaluationType) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*EvaluationType) RefId_IsNil

func (s *EvaluationType) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container EvaluationType.

func (*EvaluationType) SetProperties

func (n *EvaluationType) SetProperties(props ...Prop) *EvaluationType

Set a sequence of properties

func (*EvaluationType) SetProperty

func (n *EvaluationType) SetProperty(key string, value interface{}) *EvaluationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EvaluationType) Unset

func (n *EvaluationType) Unset(key string) *EvaluationType

Set the value of a property to nil

type EvaluationsType

type EvaluationsType struct {
	// contains filtered or unexported fields
}

func EvaluationsTypePointer

func EvaluationsTypePointer(value interface{}) (*EvaluationsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewEvaluationsType added in v0.1.0

func NewEvaluationsType() *EvaluationsType

Generates a new object as a pointer to a struct

func (*EvaluationsType) AddNew

func (t *EvaluationsType) AddNew() *EvaluationsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*EvaluationsType) Append

func (t *EvaluationsType) Append(values ...EvaluationType) *EvaluationsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*EvaluationsType) Clone

func (t *EvaluationsType) Clone() *EvaluationsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*EvaluationsType) Index

func (t *EvaluationsType) Index(n int) *EvaluationType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*EvaluationsType) Last

func (t *EvaluationsType) Last() *EvaluationType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*EvaluationsType) Len

func (t *EvaluationsType) Len() int

Length of the list.

func (*EvaluationsType) ToSlice added in v0.1.0

func (t *EvaluationsType) ToSlice() []*EvaluationType

Convert list object to slice

type ExclusionRuleType

type ExclusionRuleType struct {
	// contains filtered or unexported fields
}

func ExclusionRuleTypePointer

func ExclusionRuleTypePointer(value interface{}) (*ExclusionRuleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewExclusionRuleType added in v0.1.0

func NewExclusionRuleType() *ExclusionRuleType

Generates a new object as a pointer to a struct

func (*ExclusionRuleType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ExclusionRuleType) SetProperties

func (n *ExclusionRuleType) SetProperties(props ...Prop) *ExclusionRuleType

Set a sequence of properties

func (*ExclusionRuleType) SetProperty

func (n *ExclusionRuleType) SetProperty(key string, value interface{}) *ExclusionRuleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ExclusionRuleType) Type

func (s *ExclusionRuleType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExclusionRuleType) Type_IsNil

func (s *ExclusionRuleType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container ExclusionRuleType.

func (*ExclusionRuleType) Unset

Set the value of a property to nil

func (*ExclusionRuleType) Value

func (s *ExclusionRuleType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExclusionRuleType) Value_IsNil

func (s *ExclusionRuleType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container ExclusionRuleType.

type ExclusionRulesType

type ExclusionRulesType struct {
	// contains filtered or unexported fields
}

func ExclusionRulesTypePointer

func ExclusionRulesTypePointer(value interface{}) (*ExclusionRulesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewExclusionRulesType added in v0.1.0

func NewExclusionRulesType() *ExclusionRulesType

Generates a new object as a pointer to a struct

func (*ExclusionRulesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ExclusionRulesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ExclusionRulesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ExclusionRulesType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ExclusionRulesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ExclusionRulesType) Len

func (t *ExclusionRulesType) Len() int

Length of the list.

func (*ExclusionRulesType) ToSlice added in v0.1.0

func (t *ExclusionRulesType) ToSlice() []*ExclusionRuleType

Convert list object to slice

type ExpenseAccountType

type ExpenseAccountType struct {
	// contains filtered or unexported fields
}

func ExpenseAccountTypePointer

func ExpenseAccountTypePointer(value interface{}) (*ExpenseAccountType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewExpenseAccountType added in v0.1.0

func NewExpenseAccountType() *ExpenseAccountType

Generates a new object as a pointer to a struct

func (*ExpenseAccountType) AccountCode

func (s *ExpenseAccountType) AccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExpenseAccountType) AccountCode_IsNil

func (s *ExpenseAccountType) AccountCode_IsNil() bool

Returns whether the element value for AccountCode is nil in the container ExpenseAccountType.

func (*ExpenseAccountType) AccountingPeriod

func (s *ExpenseAccountType) AccountingPeriod() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExpenseAccountType) AccountingPeriod_IsNil

func (s *ExpenseAccountType) AccountingPeriod_IsNil() bool

Returns whether the element value for AccountingPeriod is nil in the container ExpenseAccountType.

func (*ExpenseAccountType) Amount

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExpenseAccountType) Amount_IsNil

func (s *ExpenseAccountType) Amount_IsNil() bool

Returns whether the element value for Amount is nil in the container ExpenseAccountType.

func (*ExpenseAccountType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ExpenseAccountType) FinancialAccountRefId

func (s *ExpenseAccountType) FinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ExpenseAccountType) FinancialAccountRefId_IsNil

func (s *ExpenseAccountType) FinancialAccountRefId_IsNil() bool

Returns whether the element value for FinancialAccountRefId is nil in the container ExpenseAccountType.

func (*ExpenseAccountType) SetProperties

func (n *ExpenseAccountType) SetProperties(props ...Prop) *ExpenseAccountType

Set a sequence of properties

func (*ExpenseAccountType) SetProperty

func (n *ExpenseAccountType) SetProperty(key string, value interface{}) *ExpenseAccountType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ExpenseAccountType) Unset

Set the value of a property to nil

type ExpenseAccountsType

type ExpenseAccountsType struct {
	// contains filtered or unexported fields
}

func ExpenseAccountsTypePointer

func ExpenseAccountsTypePointer(value interface{}) (*ExpenseAccountsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewExpenseAccountsType added in v0.1.0

func NewExpenseAccountsType() *ExpenseAccountsType

Generates a new object as a pointer to a struct

func (*ExpenseAccountsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ExpenseAccountsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ExpenseAccountsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ExpenseAccountsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ExpenseAccountsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ExpenseAccountsType) Len

func (t *ExpenseAccountsType) Len() int

Length of the list.

func (*ExpenseAccountsType) ToSlice added in v0.1.0

func (t *ExpenseAccountsType) ToSlice() []*ExpenseAccountType

Convert list object to slice

type ExtendedContentType

type ExtendedContentType string

func ExtendedContentTypePointer

func ExtendedContentTypePointer(value interface{}) (*ExtendedContentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ExtendedContentType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ExtendedContentType) String

func (t *ExtendedContentType) String() string

Return string value

type FQContextualQuestionListType

type FQContextualQuestionListType struct {
	// contains filtered or unexported fields
}

func FQContextualQuestionListTypePointer

func FQContextualQuestionListTypePointer(value interface{}) (*FQContextualQuestionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQContextualQuestionListType added in v0.1.0

func NewFQContextualQuestionListType() *FQContextualQuestionListType

Generates a new object as a pointer to a struct

func (*FQContextualQuestionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FQContextualQuestionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQContextualQuestionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQContextualQuestionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FQContextualQuestionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FQContextualQuestionListType) Len

Length of the list.

func (*FQContextualQuestionListType) ToSlice added in v0.1.0

Convert list object to slice

type FQContextualQuestionType

type FQContextualQuestionType struct {
	// contains filtered or unexported fields
}

func FQContextualQuestionTypePointer

func FQContextualQuestionTypePointer(value interface{}) (*FQContextualQuestionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQContextualQuestionType added in v0.1.0

func NewFQContextualQuestionType() *FQContextualQuestionType

Generates a new object as a pointer to a struct

func (*FQContextualQuestionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQContextualQuestionType) FQAnswer

func (s *FQContextualQuestionType) FQAnswer() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQContextualQuestionType) FQAnswer_IsNil

func (s *FQContextualQuestionType) FQAnswer_IsNil() bool

Returns whether the element value for FQAnswer is nil in the container FQContextualQuestionType.

func (*FQContextualQuestionType) FQContext

func (s *FQContextualQuestionType) FQContext() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQContextualQuestionType) FQContext_IsNil

func (s *FQContextualQuestionType) FQContext_IsNil() bool

Returns whether the element value for FQContext is nil in the container FQContextualQuestionType.

func (*FQContextualQuestionType) SetProperties

func (n *FQContextualQuestionType) SetProperties(props ...Prop) *FQContextualQuestionType

Set a sequence of properties

func (*FQContextualQuestionType) SetProperty

func (n *FQContextualQuestionType) SetProperty(key string, value interface{}) *FQContextualQuestionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQContextualQuestionType) Unset

Set the value of a property to nil

type FQItemListType

type FQItemListType struct {
	// contains filtered or unexported fields
}

func FQItemListTypePointer

func FQItemListTypePointer(value interface{}) (*FQItemListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQItemListType added in v0.1.0

func NewFQItemListType() *FQItemListType

Generates a new object as a pointer to a struct

func (*FQItemListType) AddNew

func (t *FQItemListType) AddNew() *FQItemListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FQItemListType) Append

func (t *FQItemListType) Append(values ...FQItemType) *FQItemListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQItemListType) Clone

func (t *FQItemListType) Clone() *FQItemListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQItemListType) Index

func (t *FQItemListType) Index(n int) *FQItemType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FQItemListType) Last

func (t *FQItemListType) Last() *FQItemType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FQItemListType) Len

func (t *FQItemListType) Len() int

Length of the list.

func (*FQItemListType) ToSlice added in v0.1.0

func (t *FQItemListType) ToSlice() []*FQItemType

Convert list object to slice

type FQItemType

type FQItemType struct {
	// contains filtered or unexported fields
}

func FQItemTypePointer

func FQItemTypePointer(value interface{}) (*FQItemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQItemType added in v0.1.0

func NewFQItemType() *FQItemType

Generates a new object as a pointer to a struct

func (*FQItemType) BoardingAmount

func (s *FQItemType) BoardingAmount() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) BoardingAmount_IsNil

func (s *FQItemType) BoardingAmount_IsNil() bool

Returns whether the element value for BoardingAmount is nil in the container FQItemType.

func (*FQItemType) Clone

func (t *FQItemType) Clone() *FQItemType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQItemType) DioceseAmount

func (s *FQItemType) DioceseAmount() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) DioceseAmount_IsNil

func (s *FQItemType) DioceseAmount_IsNil() bool

Returns whether the element value for DioceseAmount is nil in the container FQItemType.

func (*FQItemType) FQComments

func (s *FQItemType) FQComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) FQComments_IsNil

func (s *FQItemType) FQComments_IsNil() bool

Returns whether the element value for FQComments is nil in the container FQItemType.

func (*FQItemType) FQItemCode

func (s *FQItemType) FQItemCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) FQItemCode_IsNil

func (s *FQItemType) FQItemCode_IsNil() bool

Returns whether the element value for FQItemCode is nil in the container FQItemType.

func (*FQItemType) SetProperties

func (n *FQItemType) SetProperties(props ...Prop) *FQItemType

Set a sequence of properties

func (*FQItemType) SetProperty

func (n *FQItemType) SetProperty(key string, value interface{}) *FQItemType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQItemType) SystemAmount

func (s *FQItemType) SystemAmount() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) SystemAmount_IsNil

func (s *FQItemType) SystemAmount_IsNil() bool

Returns whether the element value for SystemAmount is nil in the container FQItemType.

func (*FQItemType) TuitionAmount

func (s *FQItemType) TuitionAmount() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQItemType) TuitionAmount_IsNil

func (s *FQItemType) TuitionAmount_IsNil() bool

Returns whether the element value for TuitionAmount is nil in the container FQItemType.

func (*FQItemType) Unset

func (n *FQItemType) Unset(key string) *FQItemType

Set the value of a property to nil

type FQReportingListType

type FQReportingListType struct {
	// contains filtered or unexported fields
}

func FQReportingListTypePointer

func FQReportingListTypePointer(value interface{}) (*FQReportingListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQReportingListType added in v0.1.0

func NewFQReportingListType() *FQReportingListType

Generates a new object as a pointer to a struct

func (*FQReportingListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FQReportingListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQReportingListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQReportingListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FQReportingListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FQReportingListType) Len

func (t *FQReportingListType) Len() int

Length of the list.

func (*FQReportingListType) ToSlice added in v0.1.0

func (t *FQReportingListType) ToSlice() []*FQReportingType

Convert list object to slice

type FQReportingType

type FQReportingType struct {
	// contains filtered or unexported fields
}

func FQReportingTypePointer

func FQReportingTypePointer(value interface{}) (*FQReportingType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFQReportingType added in v0.1.0

func NewFQReportingType() *FQReportingType

Generates a new object as a pointer to a struct

func (*FQReportingType) AGRuleList

func (s *FQReportingType) AGRuleList() *AGRuleListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) AGRuleList_IsNil

func (s *FQReportingType) AGRuleList_IsNil() bool

Returns whether the element value for AGRuleList is nil in the container FQReportingType.

func (*FQReportingType) Clone

func (t *FQReportingType) Clone() *FQReportingType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FQReportingType) CommonwealthId

func (s *FQReportingType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) CommonwealthId_IsNil

func (s *FQReportingType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container FQReportingType.

func (*FQReportingType) EntityContact

func (s *FQReportingType) EntityContact() *EntityContactInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) EntityContact_IsNil

func (s *FQReportingType) EntityContact_IsNil() bool

Returns whether the element value for EntityContact is nil in the container FQReportingType.

func (*FQReportingType) EntityName

func (s *FQReportingType) EntityName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) EntityName_IsNil

func (s *FQReportingType) EntityName_IsNil() bool

Returns whether the element value for EntityName is nil in the container FQReportingType.

func (*FQReportingType) FQContextualQuestionList

func (s *FQReportingType) FQContextualQuestionList() *FQContextualQuestionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) FQContextualQuestionList_IsNil

func (s *FQReportingType) FQContextualQuestionList_IsNil() bool

Returns whether the element value for FQContextualQuestionList is nil in the container FQReportingType.

func (*FQReportingType) FQItemList

func (s *FQReportingType) FQItemList() *FQItemListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FQReportingType) FQItemList_IsNil

func (s *FQReportingType) FQItemList_IsNil() bool

Returns whether the element value for FQItemList is nil in the container FQReportingType.

func (*FQReportingType) SetProperties

func (n *FQReportingType) SetProperties(props ...Prop) *FQReportingType

Set a sequence of properties

func (*FQReportingType) SetProperty

func (n *FQReportingType) SetProperty(key string, value interface{}) *FQReportingType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FQReportingType) Unset

func (n *FQReportingType) Unset(key string) *FQReportingType

Set the value of a property to nil

type FTEType

type FTEType string

func FTETypePointer

func FTETypePointer(value interface{}) (*FTEType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches FTEType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*FTEType) String

func (t *FTEType) String() string

Return string value

type FinancialAccount

type FinancialAccount struct {
	// contains filtered or unexported fields
}

func FinancialAccountPointer

func FinancialAccountPointer(value interface{}) (*FinancialAccount, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func FinancialAccountSlice

func FinancialAccountSlice() []*FinancialAccount

Create a slice of pointers to the object type

func NewFinancialAccount added in v0.1.0

func NewFinancialAccount() *FinancialAccount

Generates a new object as a pointer to a struct

func (*FinancialAccount) AccountCode

func (s *FinancialAccount) AccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) AccountCode_IsNil

func (s *FinancialAccount) AccountCode_IsNil() bool

Returns whether the element value for AccountCode is nil in the container FinancialAccount.

func (*FinancialAccount) AccountNumber

func (s *FinancialAccount) AccountNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) AccountNumber_IsNil

func (s *FinancialAccount) AccountNumber_IsNil() bool

Returns whether the element value for AccountNumber is nil in the container FinancialAccount.

func (*FinancialAccount) ChargedLocationInfoRefId

func (s *FinancialAccount) ChargedLocationInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) ChargedLocationInfoRefId_IsNil

func (s *FinancialAccount) ChargedLocationInfoRefId_IsNil() bool

Returns whether the element value for ChargedLocationInfoRefId is nil in the container FinancialAccount.

func (*FinancialAccount) ClassType

func (s *FinancialAccount) ClassType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) ClassType_IsNil

func (s *FinancialAccount) ClassType_IsNil() bool

Returns whether the element value for ClassType is nil in the container FinancialAccount.

func (*FinancialAccount) Clone

func (t *FinancialAccount) Clone() *FinancialAccount

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FinancialAccount) CreationDate

func (s *FinancialAccount) CreationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) CreationDate_IsNil

func (s *FinancialAccount) CreationDate_IsNil() bool

Returns whether the element value for CreationDate is nil in the container FinancialAccount.

func (*FinancialAccount) CreationTime

func (s *FinancialAccount) CreationTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) CreationTime_IsNil

func (s *FinancialAccount) CreationTime_IsNil() bool

Returns whether the element value for CreationTime is nil in the container FinancialAccount.

func (*FinancialAccount) Description

func (s *FinancialAccount) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) Description_IsNil

func (s *FinancialAccount) Description_IsNil() bool

Returns whether the element value for Description is nil in the container FinancialAccount.

func (*FinancialAccount) LocalCodeList

func (s *FinancialAccount) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) LocalCodeList_IsNil

func (s *FinancialAccount) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container FinancialAccount.

func (*FinancialAccount) LocalId

func (s *FinancialAccount) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) LocalId_IsNil

func (s *FinancialAccount) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container FinancialAccount.

func (*FinancialAccount) Name

func (s *FinancialAccount) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) Name_IsNil

func (s *FinancialAccount) Name_IsNil() bool

Returns whether the element value for Name is nil in the container FinancialAccount.

func (*FinancialAccount) ParentAccountRefId

func (s *FinancialAccount) ParentAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) ParentAccountRefId_IsNil

func (s *FinancialAccount) ParentAccountRefId_IsNil() bool

Returns whether the element value for ParentAccountRefId is nil in the container FinancialAccount.

func (*FinancialAccount) RefId

func (s *FinancialAccount) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) RefId_IsNil

func (s *FinancialAccount) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container FinancialAccount.

func (*FinancialAccount) SIF_ExtendedElements

func (s *FinancialAccount) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) SIF_ExtendedElements_IsNil

func (s *FinancialAccount) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container FinancialAccount.

func (*FinancialAccount) SIF_Metadata

func (s *FinancialAccount) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialAccount) SIF_Metadata_IsNil

func (s *FinancialAccount) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container FinancialAccount.

func (*FinancialAccount) SetProperties

func (n *FinancialAccount) SetProperties(props ...Prop) *FinancialAccount

Set a sequence of properties

func (*FinancialAccount) SetProperty

func (n *FinancialAccount) SetProperty(key string, value interface{}) *FinancialAccount

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FinancialAccount) Unset

func (n *FinancialAccount) Unset(key string) *FinancialAccount

Set the value of a property to nil

type FinancialAccountRefIdListType

type FinancialAccountRefIdListType struct {
	// contains filtered or unexported fields
}

func FinancialAccountRefIdListTypePointer

func FinancialAccountRefIdListTypePointer(value interface{}) (*FinancialAccountRefIdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFinancialAccountRefIdListType added in v0.1.0

func NewFinancialAccountRefIdListType() *FinancialAccountRefIdListType

Generates a new object as a pointer to a struct

func (*FinancialAccountRefIdListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FinancialAccountRefIdListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FinancialAccountRefIdListType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*FinancialAccountRefIdListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FinancialAccountRefIdListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FinancialAccountRefIdListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FinancialAccountRefIdListType) Len

Length of the list.

func (*FinancialAccountRefIdListType) ToSlice added in v0.1.0

func (t *FinancialAccountRefIdListType) ToSlice() []*string

Convert list object to slice

type FinancialAccounts

type FinancialAccounts struct {
	// contains filtered or unexported fields
}

func FinancialAccountsPointer added in v0.1.0

func FinancialAccountsPointer(value interface{}) (*FinancialAccounts, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFinancialAccounts added in v0.1.0

func NewFinancialAccounts() *FinancialAccounts

Generates a new object as a pointer to a struct

func (*FinancialAccounts) AddNew added in v0.1.0

func (t *FinancialAccounts) AddNew() *FinancialAccounts

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FinancialAccounts) Append added in v0.1.0

func (t *FinancialAccounts) Append(values ...*FinancialAccount) *FinancialAccounts

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FinancialAccounts) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FinancialAccounts) Index added in v0.1.0

func (t *FinancialAccounts) Index(n int) *FinancialAccount

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*FinancialAccounts) Last added in v0.1.0

func (t *FinancialAccounts) Last() *financialaccount

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FinancialAccounts) Len added in v0.1.0

func (t *FinancialAccounts) Len() int

Length of the list.

func (*FinancialAccounts) ToSlice added in v0.1.0

func (t *FinancialAccounts) ToSlice() []*FinancialAccount

Convert list object to slice

type FinancialQuestionnaireCollection

type FinancialQuestionnaireCollection struct {
	// contains filtered or unexported fields
}

func FinancialQuestionnaireCollectionPointer

func FinancialQuestionnaireCollectionPointer(value interface{}) (*FinancialQuestionnaireCollection, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func FinancialQuestionnaireCollectionSlice

func FinancialQuestionnaireCollectionSlice() []*FinancialQuestionnaireCollection

Create a slice of pointers to the object type

func NewFinancialQuestionnaireCollection added in v0.1.0

func NewFinancialQuestionnaireCollection() *FinancialQuestionnaireCollection

Generates a new object as a pointer to a struct

func (*FinancialQuestionnaireCollection) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FinancialQuestionnaireCollection) FQReportingList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) FQReportingList_IsNil

func (s *FinancialQuestionnaireCollection) FQReportingList_IsNil() bool

Returns whether the element value for FQReportingList is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) FQYear

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) FQYear_IsNil

func (s *FinancialQuestionnaireCollection) FQYear_IsNil() bool

Returns whether the element value for FQYear is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) LocalCodeList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) LocalCodeList_IsNil

func (s *FinancialQuestionnaireCollection) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) RefId_IsNil

func (s *FinancialQuestionnaireCollection) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) RoundCode

func (s *FinancialQuestionnaireCollection) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) RoundCode_IsNil

func (s *FinancialQuestionnaireCollection) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) SIF_ExtendedElements

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) SIF_ExtendedElements_IsNil

func (s *FinancialQuestionnaireCollection) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) SIF_Metadata

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) SIF_Metadata_IsNil

func (s *FinancialQuestionnaireCollection) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) SetProperties

Set a sequence of properties

func (*FinancialQuestionnaireCollection) SetProperty

func (n *FinancialQuestionnaireCollection) SetProperty(key string, value interface{}) *FinancialQuestionnaireCollection

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FinancialQuestionnaireCollection) SoftwareVendorInfo

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FinancialQuestionnaireCollection) SoftwareVendorInfo_IsNil

func (s *FinancialQuestionnaireCollection) SoftwareVendorInfo_IsNil() bool

Returns whether the element value for SoftwareVendorInfo is nil in the container FinancialQuestionnaireCollection.

func (*FinancialQuestionnaireCollection) Unset

Set the value of a property to nil

type FinancialQuestionnaireCollections

type FinancialQuestionnaireCollections struct {
	// contains filtered or unexported fields
}

func FinancialQuestionnaireCollectionsPointer added in v0.1.0

func FinancialQuestionnaireCollectionsPointer(value interface{}) (*FinancialQuestionnaireCollections, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFinancialQuestionnaireCollections added in v0.1.0

func NewFinancialQuestionnaireCollections() *FinancialQuestionnaireCollections

Generates a new object as a pointer to a struct

func (*FinancialQuestionnaireCollections) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FinancialQuestionnaireCollections) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FinancialQuestionnaireCollections) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FinancialQuestionnaireCollections) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*FinancialQuestionnaireCollections) Last added in v0.1.0

func (t *FinancialQuestionnaireCollections) Last() *financialquestionnairecollection

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FinancialQuestionnaireCollections) Len added in v0.1.0

Length of the list.

func (*FinancialQuestionnaireCollections) ToSlice added in v0.1.0

Convert list object to slice

type FineInfoListType

type FineInfoListType struct {
	// contains filtered or unexported fields
}

func FineInfoListTypePointer

func FineInfoListTypePointer(value interface{}) (*FineInfoListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFineInfoListType added in v0.1.0

func NewFineInfoListType() *FineInfoListType

Generates a new object as a pointer to a struct

func (*FineInfoListType) AddNew

func (t *FineInfoListType) AddNew() *FineInfoListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FineInfoListType) Append

func (t *FineInfoListType) Append(values ...FineInfoType) *FineInfoListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FineInfoListType) Clone

func (t *FineInfoListType) Clone() *FineInfoListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FineInfoListType) Index

func (t *FineInfoListType) Index(n int) *FineInfoType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FineInfoListType) Last

func (t *FineInfoListType) Last() *FineInfoType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FineInfoListType) Len

func (t *FineInfoListType) Len() int

Length of the list.

func (*FineInfoListType) ToSlice added in v0.1.0

func (t *FineInfoListType) ToSlice() []*FineInfoType

Convert list object to slice

type FineInfoType

type FineInfoType struct {
	// contains filtered or unexported fields
}

func FineInfoTypePointer

func FineInfoTypePointer(value interface{}) (*FineInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFineInfoType added in v0.1.0

func NewFineInfoType() *FineInfoType

Generates a new object as a pointer to a struct

func (*FineInfoType) Amount

func (s *FineInfoType) Amount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FineInfoType) Amount_IsNil

func (s *FineInfoType) Amount_IsNil() bool

Returns whether the element value for Amount is nil in the container FineInfoType.

func (*FineInfoType) Assessed

func (s *FineInfoType) Assessed() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FineInfoType) Assessed_IsNil

func (s *FineInfoType) Assessed_IsNil() bool

Returns whether the element value for Assessed is nil in the container FineInfoType.

func (*FineInfoType) Clone

func (t *FineInfoType) Clone() *FineInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FineInfoType) Description

func (s *FineInfoType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FineInfoType) Description_IsNil

func (s *FineInfoType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container FineInfoType.

func (*FineInfoType) Reference

func (s *FineInfoType) Reference() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FineInfoType) Reference_IsNil

func (s *FineInfoType) Reference_IsNil() bool

Returns whether the element value for Reference is nil in the container FineInfoType.

func (*FineInfoType) SetProperties

func (n *FineInfoType) SetProperties(props ...Prop) *FineInfoType

Set a sequence of properties

func (*FineInfoType) SetProperty

func (n *FineInfoType) SetProperty(key string, value interface{}) *FineInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FineInfoType) Type

func (s *FineInfoType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FineInfoType) Type_IsNil

func (s *FineInfoType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container FineInfoType.

func (*FineInfoType) Unset

func (n *FineInfoType) Unset(key string) *FineInfoType

Set the value of a property to nil

type Float

type Float float64

func FloatPointer

func FloatPointer(value interface{}) (*Float, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches Float. In the case of aliased types, accepts primitive values and converts them to the required alias. Also deals with both Float32 and Float64 values.

func (*Float) Float

func (t *Float) Float() float64

Returns float64 value

func (*Float) UnmarshalJSON

func (a *Float) UnmarshalJSON(b []byte) error

type FollowUpActionListType

type FollowUpActionListType struct {
	// contains filtered or unexported fields
}

func FollowUpActionListTypePointer

func FollowUpActionListTypePointer(value interface{}) (*FollowUpActionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFollowUpActionListType added in v0.1.0

func NewFollowUpActionListType() *FollowUpActionListType

Generates a new object as a pointer to a struct

func (*FollowUpActionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*FollowUpActionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FollowUpActionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FollowUpActionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*FollowUpActionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*FollowUpActionListType) Len

func (t *FollowUpActionListType) Len() int

Length of the list.

func (*FollowUpActionListType) ToSlice added in v0.1.0

Convert list object to slice

type FollowUpActionType

type FollowUpActionType struct {
	// contains filtered or unexported fields
}

func FollowUpActionTypePointer

func FollowUpActionTypePointer(value interface{}) (*FollowUpActionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewFollowUpActionType added in v0.1.0

func NewFollowUpActionType() *FollowUpActionType

Generates a new object as a pointer to a struct

func (*FollowUpActionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*FollowUpActionType) Date

func (s *FollowUpActionType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FollowUpActionType) Date_IsNil

func (s *FollowUpActionType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container FollowUpActionType.

func (*FollowUpActionType) FollowUpActionCategory

func (s *FollowUpActionType) FollowUpActionCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FollowUpActionType) FollowUpActionCategory_IsNil

func (s *FollowUpActionType) FollowUpActionCategory_IsNil() bool

Returns whether the element value for FollowUpActionCategory is nil in the container FollowUpActionType.

func (*FollowUpActionType) FollowUpDetails

func (s *FollowUpActionType) FollowUpDetails() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FollowUpActionType) FollowUpDetails_IsNil

func (s *FollowUpActionType) FollowUpDetails_IsNil() bool

Returns whether the element value for FollowUpDetails is nil in the container FollowUpActionType.

func (*FollowUpActionType) SetProperties

func (n *FollowUpActionType) SetProperties(props ...Prop) *FollowUpActionType

Set a sequence of properties

func (*FollowUpActionType) SetProperty

func (n *FollowUpActionType) SetProperty(key string, value interface{}) *FollowUpActionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*FollowUpActionType) Unset

Set the value of a property to nil

func (*FollowUpActionType) WellbeingResponseRefId

func (s *FollowUpActionType) WellbeingResponseRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*FollowUpActionType) WellbeingResponseRefId_IsNil

func (s *FollowUpActionType) WellbeingResponseRefId_IsNil() bool

Returns whether the element value for WellbeingResponseRefId is nil in the container FollowUpActionType.

type GUIDType

type GUIDType string

func GUIDTypePointer

func GUIDTypePointer(value interface{}) (*GUIDType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches GUIDType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*GUIDType) String

func (t *GUIDType) String() string

Return string value

type GenericRubricType

type GenericRubricType struct {
	// contains filtered or unexported fields
}

func GenericRubricTypePointer

func GenericRubricTypePointer(value interface{}) (*GenericRubricType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGenericRubricType added in v0.1.0

func NewGenericRubricType() *GenericRubricType

Generates a new object as a pointer to a struct

func (*GenericRubricType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GenericRubricType) Descriptor

func (s *GenericRubricType) Descriptor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GenericRubricType) Descriptor_IsNil

func (s *GenericRubricType) Descriptor_IsNil() bool

Returns whether the element value for Descriptor is nil in the container GenericRubricType.

func (*GenericRubricType) RubricType

func (s *GenericRubricType) RubricType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GenericRubricType) RubricType_IsNil

func (s *GenericRubricType) RubricType_IsNil() bool

Returns whether the element value for RubricType is nil in the container GenericRubricType.

func (*GenericRubricType) ScoreList

func (s *GenericRubricType) ScoreList() *ScoreListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GenericRubricType) ScoreList_IsNil

func (s *GenericRubricType) ScoreList_IsNil() bool

Returns whether the element value for ScoreList is nil in the container GenericRubricType.

func (*GenericRubricType) SetProperties

func (n *GenericRubricType) SetProperties(props ...Prop) *GenericRubricType

Set a sequence of properties

func (*GenericRubricType) SetProperty

func (n *GenericRubricType) SetProperty(key string, value interface{}) *GenericRubricType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GenericRubricType) Unset

Set the value of a property to nil

type GenericYesNoType

type GenericYesNoType string

func GenericYesNoTypePointer

func GenericYesNoTypePointer(value interface{}) (*GenericYesNoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches GenericYesNoType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*GenericYesNoType) String

func (t *GenericYesNoType) String() string

Return string value

type GradeType

type GradeType struct {
	// contains filtered or unexported fields
}

func GradeTypePointer

func GradeTypePointer(value interface{}) (*GradeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGradeType added in v0.1.0

func NewGradeType() *GradeType

Generates a new object as a pointer to a struct

func (*GradeType) Clone

func (t *GradeType) Clone() *GradeType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradeType) Letter

func (s *GradeType) Letter() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradeType) Letter_IsNil

func (s *GradeType) Letter_IsNil() bool

Returns whether the element value for Letter is nil in the container GradeType.

func (*GradeType) MarkInfoRefId

func (s *GradeType) MarkInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradeType) MarkInfoRefId_IsNil

func (s *GradeType) MarkInfoRefId_IsNil() bool

Returns whether the element value for MarkInfoRefId is nil in the container GradeType.

func (*GradeType) Narrative

func (s *GradeType) Narrative() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradeType) Narrative_IsNil

func (s *GradeType) Narrative_IsNil() bool

Returns whether the element value for Narrative is nil in the container GradeType.

func (*GradeType) Numeric

func (s *GradeType) Numeric() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradeType) Numeric_IsNil

func (s *GradeType) Numeric_IsNil() bool

Returns whether the element value for Numeric is nil in the container GradeType.

func (*GradeType) Percentage

func (s *GradeType) Percentage() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradeType) Percentage_IsNil

func (s *GradeType) Percentage_IsNil() bool

Returns whether the element value for Percentage is nil in the container GradeType.

func (*GradeType) SetProperties

func (n *GradeType) SetProperties(props ...Prop) *GradeType

Set a sequence of properties

func (*GradeType) SetProperty

func (n *GradeType) SetProperty(key string, value interface{}) *GradeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradeType) Unset

func (n *GradeType) Unset(key string) *GradeType

Set the value of a property to nil

type GradingAssignment

type GradingAssignment struct {
	// contains filtered or unexported fields
}

func GradingAssignmentPointer

func GradingAssignmentPointer(value interface{}) (*GradingAssignment, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func GradingAssignmentSlice

func GradingAssignmentSlice() []*GradingAssignment

Create a slice of pointers to the object type

func NewGradingAssignment added in v0.1.0

func NewGradingAssignment() *GradingAssignment

Generates a new object as a pointer to a struct

func (*GradingAssignment) AssessmentType

func (s *GradingAssignment) AssessmentType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) AssessmentType_IsNil

func (s *GradingAssignment) AssessmentType_IsNil() bool

Returns whether the element value for AssessmentType is nil in the container GradingAssignment.

func (*GradingAssignment) AssignmentPurpose

func (s *GradingAssignment) AssignmentPurpose() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) AssignmentPurpose_IsNil

func (s *GradingAssignment) AssignmentPurpose_IsNil() bool

Returns whether the element value for AssignmentPurpose is nil in the container GradingAssignment.

func (*GradingAssignment) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradingAssignment) CreateDate

func (s *GradingAssignment) CreateDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) CreateDate_IsNil

func (s *GradingAssignment) CreateDate_IsNil() bool

Returns whether the element value for CreateDate is nil in the container GradingAssignment.

func (*GradingAssignment) Description

func (s *GradingAssignment) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) Description_IsNil

func (s *GradingAssignment) Description_IsNil() bool

Returns whether the element value for Description is nil in the container GradingAssignment.

func (*GradingAssignment) DetailedDescriptionBinary

func (s *GradingAssignment) DetailedDescriptionBinary() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) DetailedDescriptionBinary_IsNil

func (s *GradingAssignment) DetailedDescriptionBinary_IsNil() bool

Returns whether the element value for DetailedDescriptionBinary is nil in the container GradingAssignment.

func (*GradingAssignment) DetailedDescriptionURL

func (s *GradingAssignment) DetailedDescriptionURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) DetailedDescriptionURL_IsNil

func (s *GradingAssignment) DetailedDescriptionURL_IsNil() bool

Returns whether the element value for DetailedDescriptionURL is nil in the container GradingAssignment.

func (*GradingAssignment) DueDate

func (s *GradingAssignment) DueDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) DueDate_IsNil

func (s *GradingAssignment) DueDate_IsNil() bool

Returns whether the element value for DueDate is nil in the container GradingAssignment.

func (*GradingAssignment) GradingCategory

func (s *GradingAssignment) GradingCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) GradingCategory_IsNil

func (s *GradingAssignment) GradingCategory_IsNil() bool

Returns whether the element value for GradingCategory is nil in the container GradingAssignment.

func (*GradingAssignment) LearningStandardList

func (s *GradingAssignment) LearningStandardList() *LearningStandardListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) LearningStandardList_IsNil

func (s *GradingAssignment) LearningStandardList_IsNil() bool

Returns whether the element value for LearningStandardList is nil in the container GradingAssignment.

func (*GradingAssignment) LevelAssessed

func (s *GradingAssignment) LevelAssessed() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) LevelAssessed_IsNil

func (s *GradingAssignment) LevelAssessed_IsNil() bool

Returns whether the element value for LevelAssessed is nil in the container GradingAssignment.

func (*GradingAssignment) LocalCodeList

func (s *GradingAssignment) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) LocalCodeList_IsNil

func (s *GradingAssignment) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container GradingAssignment.

func (*GradingAssignment) MaxAttemptsAllowed

func (s *GradingAssignment) MaxAttemptsAllowed() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) MaxAttemptsAllowed_IsNil

func (s *GradingAssignment) MaxAttemptsAllowed_IsNil() bool

Returns whether the element value for MaxAttemptsAllowed is nil in the container GradingAssignment.

func (*GradingAssignment) PointsPossible

func (s *GradingAssignment) PointsPossible() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) PointsPossible_IsNil

func (s *GradingAssignment) PointsPossible_IsNil() bool

Returns whether the element value for PointsPossible is nil in the container GradingAssignment.

func (*GradingAssignment) PrerequisiteList

func (s *GradingAssignment) PrerequisiteList() *PrerequisitesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) PrerequisiteList_IsNil

func (s *GradingAssignment) PrerequisiteList_IsNil() bool

Returns whether the element value for PrerequisiteList is nil in the container GradingAssignment.

func (*GradingAssignment) RefId

func (s *GradingAssignment) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) RefId_IsNil

func (s *GradingAssignment) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container GradingAssignment.

func (*GradingAssignment) RubricScoringGuide

func (s *GradingAssignment) RubricScoringGuide() *GenericRubricType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) RubricScoringGuide_IsNil

func (s *GradingAssignment) RubricScoringGuide_IsNil() bool

Returns whether the element value for RubricScoringGuide is nil in the container GradingAssignment.

func (*GradingAssignment) SIF_ExtendedElements

func (s *GradingAssignment) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) SIF_ExtendedElements_IsNil

func (s *GradingAssignment) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container GradingAssignment.

func (*GradingAssignment) SIF_Metadata

func (s *GradingAssignment) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) SIF_Metadata_IsNil

func (s *GradingAssignment) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container GradingAssignment.

func (*GradingAssignment) SchoolInfoRefId

func (s *GradingAssignment) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) SchoolInfoRefId_IsNil

func (s *GradingAssignment) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container GradingAssignment.

func (*GradingAssignment) SetProperties

func (n *GradingAssignment) SetProperties(props ...Prop) *GradingAssignment

Set a sequence of properties

func (*GradingAssignment) SetProperty

func (n *GradingAssignment) SetProperty(key string, value interface{}) *GradingAssignment

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradingAssignment) StudentPersonalRefIdList

func (s *GradingAssignment) StudentPersonalRefIdList() *StudentsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) StudentPersonalRefIdList_IsNil

func (s *GradingAssignment) StudentPersonalRefIdList_IsNil() bool

Returns whether the element value for StudentPersonalRefIdList is nil in the container GradingAssignment.

func (*GradingAssignment) SubAssignmentList

func (s *GradingAssignment) SubAssignmentList() *AssignmentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) SubAssignmentList_IsNil

func (s *GradingAssignment) SubAssignmentList_IsNil() bool

Returns whether the element value for SubAssignmentList is nil in the container GradingAssignment.

func (*GradingAssignment) TeachingGroupRefId

func (s *GradingAssignment) TeachingGroupRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) TeachingGroupRefId_IsNil

func (s *GradingAssignment) TeachingGroupRefId_IsNil() bool

Returns whether the element value for TeachingGroupRefId is nil in the container GradingAssignment.

func (*GradingAssignment) Unset

Set the value of a property to nil

func (*GradingAssignment) Weight

func (s *GradingAssignment) Weight() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignment) Weight_IsNil

func (s *GradingAssignment) Weight_IsNil() bool

Returns whether the element value for Weight is nil in the container GradingAssignment.

type GradingAssignmentScore

type GradingAssignmentScore struct {
	// contains filtered or unexported fields
}

func GradingAssignmentScorePointer

func GradingAssignmentScorePointer(value interface{}) (*GradingAssignmentScore, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func GradingAssignmentScoreSlice

func GradingAssignmentScoreSlice() []*GradingAssignmentScore

Create a slice of pointers to the object type

func NewGradingAssignmentScore added in v0.1.0

func NewGradingAssignmentScore() *GradingAssignmentScore

Generates a new object as a pointer to a struct

func (*GradingAssignmentScore) AssignmentScoreIteration

func (s *GradingAssignmentScore) AssignmentScoreIteration() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) AssignmentScoreIteration_IsNil

func (s *GradingAssignmentScore) AssignmentScoreIteration_IsNil() bool

Returns whether the element value for AssignmentScoreIteration is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradingAssignmentScore) DateGraded

func (s *GradingAssignmentScore) DateGraded() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) DateGraded_IsNil

func (s *GradingAssignmentScore) DateGraded_IsNil() bool

Returns whether the element value for DateGraded is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) ExpectedScore

func (s *GradingAssignmentScore) ExpectedScore() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) ExpectedScore_IsNil

func (s *GradingAssignmentScore) ExpectedScore_IsNil() bool

Returns whether the element value for ExpectedScore is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) GradingAssignmentRefId

func (s *GradingAssignmentScore) GradingAssignmentRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) GradingAssignmentRefId_IsNil

func (s *GradingAssignmentScore) GradingAssignmentRefId_IsNil() bool

Returns whether the element value for GradingAssignmentRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) LocalCodeList

func (s *GradingAssignmentScore) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) LocalCodeList_IsNil

func (s *GradingAssignmentScore) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) MarkInfoRefId

func (s *GradingAssignmentScore) MarkInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) MarkInfoRefId_IsNil

func (s *GradingAssignmentScore) MarkInfoRefId_IsNil() bool

Returns whether the element value for MarkInfoRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) RefId

func (s *GradingAssignmentScore) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) RefId_IsNil

func (s *GradingAssignmentScore) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) SIF_ExtendedElements

func (s *GradingAssignmentScore) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) SIF_ExtendedElements_IsNil

func (s *GradingAssignmentScore) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) SIF_Metadata

func (s *GradingAssignmentScore) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) SIF_Metadata_IsNil

func (s *GradingAssignmentScore) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) SchoolInfoRefId

func (s *GradingAssignmentScore) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) SchoolInfoRefId_IsNil

func (s *GradingAssignmentScore) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) ScoreDescription

func (s *GradingAssignmentScore) ScoreDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) ScoreDescription_IsNil

func (s *GradingAssignmentScore) ScoreDescription_IsNil() bool

Returns whether the element value for ScoreDescription is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) ScoreLetter

func (s *GradingAssignmentScore) ScoreLetter() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) ScoreLetter_IsNil

func (s *GradingAssignmentScore) ScoreLetter_IsNil() bool

Returns whether the element value for ScoreLetter is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) ScorePercent

func (s *GradingAssignmentScore) ScorePercent() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) ScorePercent_IsNil

func (s *GradingAssignmentScore) ScorePercent_IsNil() bool

Returns whether the element value for ScorePercent is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) ScorePoints

func (s *GradingAssignmentScore) ScorePoints() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) ScorePoints_IsNil

func (s *GradingAssignmentScore) ScorePoints_IsNil() bool

Returns whether the element value for ScorePoints is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) SetProperties

func (n *GradingAssignmentScore) SetProperties(props ...Prop) *GradingAssignmentScore

Set a sequence of properties

func (*GradingAssignmentScore) SetProperty

func (n *GradingAssignmentScore) SetProperty(key string, value interface{}) *GradingAssignmentScore

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradingAssignmentScore) StaffPersonalRefId

func (s *GradingAssignmentScore) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) StaffPersonalRefId_IsNil

func (s *GradingAssignmentScore) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) StudentPersonalLocalId

func (s *GradingAssignmentScore) StudentPersonalLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) StudentPersonalLocalId_IsNil

func (s *GradingAssignmentScore) StudentPersonalLocalId_IsNil() bool

Returns whether the element value for StudentPersonalLocalId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) StudentPersonalRefId

func (s *GradingAssignmentScore) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) StudentPersonalRefId_IsNil

func (s *GradingAssignmentScore) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) SubscoreList

func (s *GradingAssignmentScore) SubscoreList() *NAPSubscoreListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) SubscoreList_IsNil

func (s *GradingAssignmentScore) SubscoreList_IsNil() bool

Returns whether the element value for SubscoreList is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) TeacherJudgement

func (s *GradingAssignmentScore) TeacherJudgement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) TeacherJudgement_IsNil

func (s *GradingAssignmentScore) TeacherJudgement_IsNil() bool

Returns whether the element value for TeacherJudgement is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) TeachingGroupRefId

func (s *GradingAssignmentScore) TeachingGroupRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GradingAssignmentScore) TeachingGroupRefId_IsNil

func (s *GradingAssignmentScore) TeachingGroupRefId_IsNil() bool

Returns whether the element value for TeachingGroupRefId is nil in the container GradingAssignmentScore.

func (*GradingAssignmentScore) Unset

Set the value of a property to nil

type GradingAssignmentScores

type GradingAssignmentScores struct {
	// contains filtered or unexported fields
}

func GradingAssignmentScoresPointer added in v0.1.0

func GradingAssignmentScoresPointer(value interface{}) (*GradingAssignmentScores, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGradingAssignmentScores added in v0.1.0

func NewGradingAssignmentScores() *GradingAssignmentScores

Generates a new object as a pointer to a struct

func (*GradingAssignmentScores) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*GradingAssignmentScores) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradingAssignmentScores) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradingAssignmentScores) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*GradingAssignmentScores) Last added in v0.1.0

func (t *GradingAssignmentScores) Last() *gradingassignmentscore

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*GradingAssignmentScores) Len added in v0.1.0

func (t *GradingAssignmentScores) Len() int

Length of the list.

func (*GradingAssignmentScores) ToSlice added in v0.1.0

Convert list object to slice

type GradingAssignments

type GradingAssignments struct {
	// contains filtered or unexported fields
}

func GradingAssignmentsPointer added in v0.1.0

func GradingAssignmentsPointer(value interface{}) (*GradingAssignments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGradingAssignments added in v0.1.0

func NewGradingAssignments() *GradingAssignments

Generates a new object as a pointer to a struct

func (*GradingAssignments) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*GradingAssignments) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradingAssignments) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradingAssignments) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*GradingAssignments) Last added in v0.1.0

func (t *GradingAssignments) Last() *gradingassignment

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*GradingAssignments) Len added in v0.1.0

func (t *GradingAssignments) Len() int

Length of the list.

func (*GradingAssignments) ToSlice added in v0.1.0

func (t *GradingAssignments) ToSlice() []*GradingAssignment

Convert list object to slice

type GradingScoreListType

type GradingScoreListType struct {
	// contains filtered or unexported fields
}

func GradingScoreListTypePointer

func GradingScoreListTypePointer(value interface{}) (*GradingScoreListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGradingScoreListType added in v0.1.0

func NewGradingScoreListType() *GradingScoreListType

Generates a new object as a pointer to a struct

func (*GradingScoreListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*GradingScoreListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GradingScoreListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GradingScoreListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*GradingScoreListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*GradingScoreListType) Len

func (t *GradingScoreListType) Len() int

Length of the list.

func (*GradingScoreListType) ToSlice added in v0.1.0

func (t *GradingScoreListType) ToSlice() []*AssignmentScoreType

Convert list object to slice

type GraduationDateType

type GraduationDateType PartialDateType

func GraduationDateTypePointer

func GraduationDateTypePointer(value interface{}) (*GraduationDateType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches GraduationDateType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*GraduationDateType) String

func (t *GraduationDateType) String() string

Return string value

type GridLocationType

type GridLocationType struct {
	// contains filtered or unexported fields
}

func GridLocationTypePointer

func GridLocationTypePointer(value interface{}) (*GridLocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewGridLocationType added in v0.1.0

func NewGridLocationType() *GridLocationType

Generates a new object as a pointer to a struct

func (*GridLocationType) Clone

func (t *GridLocationType) Clone() *GridLocationType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*GridLocationType) Latitude

func (s *GridLocationType) Latitude() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GridLocationType) Latitude_IsNil

func (s *GridLocationType) Latitude_IsNil() bool

Returns whether the element value for Latitude is nil in the container GridLocationType.

func (*GridLocationType) Longitude

func (s *GridLocationType) Longitude() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*GridLocationType) Longitude_IsNil

func (s *GridLocationType) Longitude_IsNil() bool

Returns whether the element value for Longitude is nil in the container GridLocationType.

func (*GridLocationType) SetProperties

func (n *GridLocationType) SetProperties(props ...Prop) *GridLocationType

Set a sequence of properties

func (*GridLocationType) SetProperty

func (n *GridLocationType) SetProperty(key string, value interface{}) *GridLocationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*GridLocationType) Unset

func (n *GridLocationType) Unset(key string) *GridLocationType

Set the value of a property to nil

type HoldInfoListType

type HoldInfoListType struct {
	// contains filtered or unexported fields
}

func HoldInfoListTypePointer

func HoldInfoListTypePointer(value interface{}) (*HoldInfoListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHoldInfoListType added in v0.1.0

func NewHoldInfoListType() *HoldInfoListType

Generates a new object as a pointer to a struct

func (*HoldInfoListType) AddNew

func (t *HoldInfoListType) AddNew() *HoldInfoListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*HoldInfoListType) Append

func (t *HoldInfoListType) Append(values ...HoldInfoType) *HoldInfoListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HoldInfoListType) Clone

func (t *HoldInfoListType) Clone() *HoldInfoListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HoldInfoListType) Index

func (t *HoldInfoListType) Index(n int) *HoldInfoType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*HoldInfoListType) Last

func (t *HoldInfoListType) Last() *HoldInfoType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*HoldInfoListType) Len

func (t *HoldInfoListType) Len() int

Length of the list.

func (*HoldInfoListType) ToSlice added in v0.1.0

func (t *HoldInfoListType) ToSlice() []*HoldInfoType

Convert list object to slice

type HoldInfoType

type HoldInfoType struct {
	// contains filtered or unexported fields
}

func HoldInfoTypePointer

func HoldInfoTypePointer(value interface{}) (*HoldInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHoldInfoType added in v0.1.0

func NewHoldInfoType() *HoldInfoType

Generates a new object as a pointer to a struct

func (*HoldInfoType) Clone

func (t *HoldInfoType) Clone() *HoldInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HoldInfoType) DateNeeded

func (s *HoldInfoType) DateNeeded() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) DateNeeded_IsNil

func (s *HoldInfoType) DateNeeded_IsNil() bool

Returns whether the element value for DateNeeded is nil in the container HoldInfoType.

func (*HoldInfoType) DatePlaced

func (s *HoldInfoType) DatePlaced() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) DatePlaced_IsNil

func (s *HoldInfoType) DatePlaced_IsNil() bool

Returns whether the element value for DatePlaced is nil in the container HoldInfoType.

func (*HoldInfoType) Expires

func (s *HoldInfoType) Expires() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) Expires_IsNil

func (s *HoldInfoType) Expires_IsNil() bool

Returns whether the element value for Expires is nil in the container HoldInfoType.

func (*HoldInfoType) MadeAvailable

func (s *HoldInfoType) MadeAvailable() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) MadeAvailable_IsNil

func (s *HoldInfoType) MadeAvailable_IsNil() bool

Returns whether the element value for MadeAvailable is nil in the container HoldInfoType.

func (*HoldInfoType) ReservationExpiry

func (s *HoldInfoType) ReservationExpiry() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) ReservationExpiry_IsNil

func (s *HoldInfoType) ReservationExpiry_IsNil() bool

Returns whether the element value for ReservationExpiry is nil in the container HoldInfoType.

func (*HoldInfoType) SetProperties

func (n *HoldInfoType) SetProperties(props ...Prop) *HoldInfoType

Set a sequence of properties

func (*HoldInfoType) SetProperty

func (n *HoldInfoType) SetProperty(key string, value interface{}) *HoldInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HoldInfoType) Type

func (s *HoldInfoType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HoldInfoType) Type_IsNil

func (s *HoldInfoType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container HoldInfoType.

func (*HoldInfoType) Unset

func (n *HoldInfoType) Unset(key string) *HoldInfoType

Set the value of a property to nil

type HomeroomNumberType

type HomeroomNumberType string

func HomeroomNumberTypePointer

func HomeroomNumberTypePointer(value interface{}) (*HomeroomNumberType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches HomeroomNumberType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*HomeroomNumberType) String

func (t *HomeroomNumberType) String() string

Return string value

type HomeroomType

type HomeroomType struct {
	// contains filtered or unexported fields
}

func HomeroomTypePointer

func HomeroomTypePointer(value interface{}) (*HomeroomType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHomeroomType added in v0.1.0

func NewHomeroomType() *HomeroomType

Generates a new object as a pointer to a struct

func (*HomeroomType) Clone

func (t *HomeroomType) Clone() *HomeroomType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HomeroomType) SIF_RefObject

func (s *HomeroomType) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HomeroomType) SIF_RefObject_IsNil

func (s *HomeroomType) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container HomeroomType.

func (*HomeroomType) SetProperties

func (n *HomeroomType) SetProperties(props ...Prop) *HomeroomType

Set a sequence of properties

func (*HomeroomType) SetProperty

func (n *HomeroomType) SetProperty(key string, value interface{}) *HomeroomType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HomeroomType) Unset

func (n *HomeroomType) Unset(key string) *HomeroomType

Set the value of a property to nil

func (*HomeroomType) Value

func (s *HomeroomType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HomeroomType) Value_IsNil

func (s *HomeroomType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container HomeroomType.

type HouseholdContactInfoListType

type HouseholdContactInfoListType struct {
	// contains filtered or unexported fields
}

func HouseholdContactInfoListTypePointer

func HouseholdContactInfoListTypePointer(value interface{}) (*HouseholdContactInfoListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHouseholdContactInfoListType added in v0.1.0

func NewHouseholdContactInfoListType() *HouseholdContactInfoListType

Generates a new object as a pointer to a struct

func (*HouseholdContactInfoListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*HouseholdContactInfoListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HouseholdContactInfoListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HouseholdContactInfoListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*HouseholdContactInfoListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*HouseholdContactInfoListType) Len

Length of the list.

func (*HouseholdContactInfoListType) ToSlice added in v0.1.0

Convert list object to slice

type HouseholdContactInfoType

type HouseholdContactInfoType struct {
	// contains filtered or unexported fields
}

func HouseholdContactInfoTypePointer

func HouseholdContactInfoTypePointer(value interface{}) (*HouseholdContactInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHouseholdContactInfoType added in v0.1.0

func NewHouseholdContactInfoType() *HouseholdContactInfoType

Generates a new object as a pointer to a struct

func (*HouseholdContactInfoType) AddressList

func (s *HouseholdContactInfoType) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) AddressList_IsNil

func (s *HouseholdContactInfoType) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HouseholdContactInfoType) EmailList

func (s *HouseholdContactInfoType) EmailList() *EmailListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) EmailList_IsNil

func (s *HouseholdContactInfoType) EmailList_IsNil() bool

Returns whether the element value for EmailList is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) HouseholdContactId

func (s *HouseholdContactInfoType) HouseholdContactId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) HouseholdContactId_IsNil

func (s *HouseholdContactInfoType) HouseholdContactId_IsNil() bool

Returns whether the element value for HouseholdContactId is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) HouseholdSalutation

func (s *HouseholdContactInfoType) HouseholdSalutation() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) HouseholdSalutation_IsNil

func (s *HouseholdContactInfoType) HouseholdSalutation_IsNil() bool

Returns whether the element value for HouseholdSalutation is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) PhoneNumberList

func (s *HouseholdContactInfoType) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) PhoneNumberList_IsNil

func (s *HouseholdContactInfoType) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) PreferenceNumber

func (s *HouseholdContactInfoType) PreferenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*HouseholdContactInfoType) PreferenceNumber_IsNil

func (s *HouseholdContactInfoType) PreferenceNumber_IsNil() bool

Returns whether the element value for PreferenceNumber is nil in the container HouseholdContactInfoType.

func (*HouseholdContactInfoType) SetProperties

func (n *HouseholdContactInfoType) SetProperties(props ...Prop) *HouseholdContactInfoType

Set a sequence of properties

func (*HouseholdContactInfoType) SetProperty

func (n *HouseholdContactInfoType) SetProperty(key string, value interface{}) *HouseholdContactInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HouseholdContactInfoType) Unset

Set the value of a property to nil

type HouseholdListType

type HouseholdListType struct {
	// contains filtered or unexported fields
}

func HouseholdListTypePointer

func HouseholdListTypePointer(value interface{}) (*HouseholdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewHouseholdListType added in v0.1.0

func NewHouseholdListType() *HouseholdListType

Generates a new object as a pointer to a struct

func (*HouseholdListType) AddNew

func (t *HouseholdListType) AddNew() *HouseholdListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*HouseholdListType) Append

func (t *HouseholdListType) Append(values ...LocalIdType) *HouseholdListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*HouseholdListType) AppendString

func (t *HouseholdListType) AppendString(value string) *HouseholdListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*HouseholdListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*HouseholdListType) Index

func (t *HouseholdListType) Index(n int) *LocalIdType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*HouseholdListType) Last

func (t *HouseholdListType) Last() *LocalIdType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*HouseholdListType) Len

func (t *HouseholdListType) Len() int

Length of the list.

func (*HouseholdListType) ToSlice added in v0.1.0

func (t *HouseholdListType) ToSlice() []*LocalIdType

Convert list object to slice

type ISO4217CurrencyNamesAndCodeElementsType

type ISO4217CurrencyNamesAndCodeElementsType string

func ISO4217CurrencyNamesAndCodeElementsTypePointer

func ISO4217CurrencyNamesAndCodeElementsTypePointer(value interface{}) (*ISO4217CurrencyNamesAndCodeElementsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ISO4217CurrencyNamesAndCodeElementsType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ISO4217CurrencyNamesAndCodeElementsType) String

Return string value

type IdRefType

type IdRefType RefIdType

func IdRefTypePointer

func IdRefTypePointer(value interface{}) (*IdRefType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches IdRefType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*IdRefType) String

func (t *IdRefType) String() string

Return string value

type Identity

type Identity struct {
	// contains filtered or unexported fields
}

func IdentityPointer

func IdentityPointer(value interface{}) (*Identity, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func IdentitySlice

func IdentitySlice() []*Identity

Create a slice of pointers to the object type

func NewIdentity added in v0.1.0

func NewIdentity() *Identity

Generates a new object as a pointer to a struct

func (*Identity) AuthenticationSource

func (s *Identity) AuthenticationSource() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) AuthenticationSourceGlobalUID

func (s *Identity) AuthenticationSourceGlobalUID() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) AuthenticationSourceGlobalUID_IsNil

func (s *Identity) AuthenticationSourceGlobalUID_IsNil() bool

Returns whether the element value for AuthenticationSourceGlobalUID is nil in the container Identity.

func (*Identity) AuthenticationSource_IsNil

func (s *Identity) AuthenticationSource_IsNil() bool

Returns whether the element value for AuthenticationSource is nil in the container Identity.

func (*Identity) Clone

func (t *Identity) Clone() *Identity

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Identity) IdentityAssertions

func (s *Identity) IdentityAssertions() *IdentityAssertionsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) IdentityAssertions_IsNil

func (s *Identity) IdentityAssertions_IsNil() bool

Returns whether the element value for IdentityAssertions is nil in the container Identity.

func (*Identity) LocalCodeList

func (s *Identity) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) LocalCodeList_IsNil

func (s *Identity) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container Identity.

func (*Identity) PasswordList

func (s *Identity) PasswordList() *PasswordListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) PasswordList_IsNil

func (s *Identity) PasswordList_IsNil() bool

Returns whether the element value for PasswordList is nil in the container Identity.

func (*Identity) RefId

func (s *Identity) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) RefId_IsNil

func (s *Identity) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container Identity.

func (*Identity) SIF_ExtendedElements

func (s *Identity) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) SIF_ExtendedElements_IsNil

func (s *Identity) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container Identity.

func (*Identity) SIF_Metadata

func (s *Identity) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) SIF_Metadata_IsNil

func (s *Identity) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container Identity.

func (*Identity) SIF_RefId

func (s *Identity) SIF_RefId() *Identity_SIF_RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity) SIF_RefId_IsNil

func (s *Identity) SIF_RefId_IsNil() bool

Returns whether the element value for SIF_RefId is nil in the container Identity.

func (*Identity) SetProperties

func (n *Identity) SetProperties(props ...Prop) *Identity

Set a sequence of properties

func (*Identity) SetProperty

func (n *Identity) SetProperty(key string, value interface{}) *Identity

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Identity) Unset

func (n *Identity) Unset(key string) *Identity

Set the value of a property to nil

type IdentityAssertionType

type IdentityAssertionType struct {
	// contains filtered or unexported fields
}

func IdentityAssertionTypePointer

func IdentityAssertionTypePointer(value interface{}) (*IdentityAssertionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewIdentityAssertionType added in v0.1.0

func NewIdentityAssertionType() *IdentityAssertionType

Generates a new object as a pointer to a struct

func (*IdentityAssertionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*IdentityAssertionType) SchemaName

func (s *IdentityAssertionType) SchemaName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*IdentityAssertionType) SchemaName_IsNil

func (s *IdentityAssertionType) SchemaName_IsNil() bool

Returns whether the element value for SchemaName is nil in the container IdentityAssertionType.

func (*IdentityAssertionType) SetProperties

func (n *IdentityAssertionType) SetProperties(props ...Prop) *IdentityAssertionType

Set a sequence of properties

func (*IdentityAssertionType) SetProperty

func (n *IdentityAssertionType) SetProperty(key string, value interface{}) *IdentityAssertionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*IdentityAssertionType) Unset

Set the value of a property to nil

func (*IdentityAssertionType) Value

func (s *IdentityAssertionType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*IdentityAssertionType) Value_IsNil

func (s *IdentityAssertionType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container IdentityAssertionType.

type IdentityAssertionsType

type IdentityAssertionsType struct {
	// contains filtered or unexported fields
}

func IdentityAssertionsTypePointer

func IdentityAssertionsTypePointer(value interface{}) (*IdentityAssertionsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewIdentityAssertionsType added in v0.1.0

func NewIdentityAssertionsType() *IdentityAssertionsType

Generates a new object as a pointer to a struct

func (*IdentityAssertionsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*IdentityAssertionsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*IdentityAssertionsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*IdentityAssertionsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*IdentityAssertionsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*IdentityAssertionsType) Len

func (t *IdentityAssertionsType) Len() int

Length of the list.

func (*IdentityAssertionsType) ToSlice added in v0.1.0

Convert list object to slice

type Identity_SIF_RefId

type Identity_SIF_RefId struct {
	// contains filtered or unexported fields
}

func Identity_SIF_RefIdPointer

func Identity_SIF_RefIdPointer(value interface{}) (*Identity_SIF_RefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewIdentity_SIF_RefId added in v0.1.0

func NewIdentity_SIF_RefId() *Identity_SIF_RefId

Generates a new object as a pointer to a struct

func (*Identity_SIF_RefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Identity_SIF_RefId) SIF_RefObject

func (s *Identity_SIF_RefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity_SIF_RefId) SIF_RefObject_IsNil

func (s *Identity_SIF_RefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container Identity_SIF_RefId.

func (*Identity_SIF_RefId) SetProperties

func (n *Identity_SIF_RefId) SetProperties(props ...Prop) *Identity_SIF_RefId

Set a sequence of properties

func (*Identity_SIF_RefId) SetProperty

func (n *Identity_SIF_RefId) SetProperty(key string, value interface{}) *Identity_SIF_RefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Identity_SIF_RefId) Unset

Set the value of a property to nil

func (*Identity_SIF_RefId) Value

func (s *Identity_SIF_RefId) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Identity_SIF_RefId) Value_IsNil

func (s *Identity_SIF_RefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container Identity_SIF_RefId.

type Identitys

type Identitys struct {
	// contains filtered or unexported fields
}

func IdentitysPointer added in v0.1.0

func IdentitysPointer(value interface{}) (*Identitys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewIdentitys added in v0.1.0

func NewIdentitys() *Identitys

Generates a new object as a pointer to a struct

func (*Identitys) AddNew added in v0.1.0

func (t *Identitys) AddNew() *Identitys

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*Identitys) Append added in v0.1.0

func (t *Identitys) Append(values ...*Identity) *Identitys

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Identitys) Clone added in v0.1.0

func (t *Identitys) Clone() *Identitys

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Identitys) Index added in v0.1.0

func (t *Identitys) Index(n int) *Identity

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*Identitys) Last added in v0.1.0

func (t *Identitys) Last() *identity

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*Identitys) Len added in v0.1.0

func (t *Identitys) Len() int

Length of the list.

func (*Identitys) ToSlice added in v0.1.0

func (t *Identitys) ToSlice() []*Identity

Convert list object to slice

type Int

type Int int

func IntPointer

func IntPointer(value interface{}) (*Int, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches Int. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*Int) Int

func (t *Int) Int() int

Returns int value

func (*Int) UnmarshalJSON

func (a *Int) UnmarshalJSON(b []byte) error

type Invoice

type Invoice struct {
	// contains filtered or unexported fields
}

func InvoicePointer

func InvoicePointer(value interface{}) (*Invoice, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func InvoiceSlice

func InvoiceSlice() []*Invoice

Create a slice of pointers to the object type

func NewInvoice added in v0.1.0

func NewInvoice() *Invoice

Generates a new object as a pointer to a struct

func (*Invoice) AccountCodeList

func (s *Invoice) AccountCodeList() *AccountCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) AccountCodeList_IsNil

func (s *Invoice) AccountCodeList_IsNil() bool

Returns whether the element value for AccountCodeList is nil in the container Invoice.

func (*Invoice) AccountingPeriod

func (s *Invoice) AccountingPeriod() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) AccountingPeriod_IsNil

func (s *Invoice) AccountingPeriod_IsNil() bool

Returns whether the element value for AccountingPeriod is nil in the container Invoice.

func (*Invoice) ApprovedBy

func (s *Invoice) ApprovedBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) ApprovedBy_IsNil

func (s *Invoice) ApprovedBy_IsNil() bool

Returns whether the element value for ApprovedBy is nil in the container Invoice.

func (*Invoice) BilledAmount

func (s *Invoice) BilledAmount() *DebitOrCreditAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) BilledAmount_IsNil

func (s *Invoice) BilledAmount_IsNil() bool

Returns whether the element value for BilledAmount is nil in the container Invoice.

func (*Invoice) BillingDate

func (s *Invoice) BillingDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) BillingDate_IsNil

func (s *Invoice) BillingDate_IsNil() bool

Returns whether the element value for BillingDate is nil in the container Invoice.

func (*Invoice) ChargedLocationInfoRefId

func (s *Invoice) ChargedLocationInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) ChargedLocationInfoRefId_IsNil

func (s *Invoice) ChargedLocationInfoRefId_IsNil() bool

Returns whether the element value for ChargedLocationInfoRefId is nil in the container Invoice.

func (*Invoice) Clone

func (t *Invoice) Clone() *Invoice

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Invoice) CreatedBy

func (s *Invoice) CreatedBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) CreatedBy_IsNil

func (s *Invoice) CreatedBy_IsNil() bool

Returns whether the element value for CreatedBy is nil in the container Invoice.

func (*Invoice) DueDate

func (s *Invoice) DueDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) DueDate_IsNil

func (s *Invoice) DueDate_IsNil() bool

Returns whether the element value for DueDate is nil in the container Invoice.

func (*Invoice) FinancialAccountRefIdList

func (s *Invoice) FinancialAccountRefIdList() *FinancialAccountRefIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) FinancialAccountRefIdList_IsNil

func (s *Invoice) FinancialAccountRefIdList_IsNil() bool

Returns whether the element value for FinancialAccountRefIdList is nil in the container Invoice.

func (*Invoice) FormNumber

func (s *Invoice) FormNumber() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) FormNumber_IsNil

func (s *Invoice) FormNumber_IsNil() bool

Returns whether the element value for FormNumber is nil in the container Invoice.

func (*Invoice) InvoicedEntity

func (s *Invoice) InvoicedEntity() *Invoice_InvoicedEntity

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) InvoicedEntity_IsNil

func (s *Invoice) InvoicedEntity_IsNil() bool

Returns whether the element value for InvoicedEntity is nil in the container Invoice.

func (*Invoice) ItemDetail

func (s *Invoice) ItemDetail() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) ItemDetail_IsNil

func (s *Invoice) ItemDetail_IsNil() bool

Returns whether the element value for ItemDetail is nil in the container Invoice.

func (*Invoice) Ledger

func (s *Invoice) Ledger() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) Ledger_IsNil

func (s *Invoice) Ledger_IsNil() bool

Returns whether the element value for Ledger is nil in the container Invoice.

func (*Invoice) LocalCodeList

func (s *Invoice) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) LocalCodeList_IsNil

func (s *Invoice) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container Invoice.

func (*Invoice) LocalId

func (s *Invoice) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) LocalId_IsNil

func (s *Invoice) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container Invoice.

func (*Invoice) NetAmount

func (s *Invoice) NetAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) NetAmount_IsNil

func (s *Invoice) NetAmount_IsNil() bool

Returns whether the element value for NetAmount is nil in the container Invoice.

func (*Invoice) PurchasingItems

func (s *Invoice) PurchasingItems() *PurchasingItemsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) PurchasingItems_IsNil

func (s *Invoice) PurchasingItems_IsNil() bool

Returns whether the element value for PurchasingItems is nil in the container Invoice.

func (*Invoice) RefId

func (s *Invoice) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) RefId_IsNil

func (s *Invoice) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container Invoice.

func (*Invoice) RelatedPurchaseOrderRefId

func (s *Invoice) RelatedPurchaseOrderRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) RelatedPurchaseOrderRefId_IsNil

func (s *Invoice) RelatedPurchaseOrderRefId_IsNil() bool

Returns whether the element value for RelatedPurchaseOrderRefId is nil in the container Invoice.

func (*Invoice) SIF_ExtendedElements

func (s *Invoice) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) SIF_ExtendedElements_IsNil

func (s *Invoice) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container Invoice.

func (*Invoice) SIF_Metadata

func (s *Invoice) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) SIF_Metadata_IsNil

func (s *Invoice) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container Invoice.

func (*Invoice) SetProperties

func (n *Invoice) SetProperties(props ...Prop) *Invoice

Set a sequence of properties

func (*Invoice) SetProperty

func (n *Invoice) SetProperty(key string, value interface{}) *Invoice

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Invoice) TaxAmount

func (s *Invoice) TaxAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) TaxAmount_IsNil

func (s *Invoice) TaxAmount_IsNil() bool

Returns whether the element value for TaxAmount is nil in the container Invoice.

func (*Invoice) TaxRate

func (s *Invoice) TaxRate() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) TaxRate_IsNil

func (s *Invoice) TaxRate_IsNil() bool

Returns whether the element value for TaxRate is nil in the container Invoice.

func (*Invoice) TaxType

func (s *Invoice) TaxType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) TaxType_IsNil

func (s *Invoice) TaxType_IsNil() bool

Returns whether the element value for TaxType is nil in the container Invoice.

func (*Invoice) TransactionDescription

func (s *Invoice) TransactionDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) TransactionDescription_IsNil

func (s *Invoice) TransactionDescription_IsNil() bool

Returns whether the element value for TransactionDescription is nil in the container Invoice.

func (*Invoice) Unset

func (n *Invoice) Unset(key string) *Invoice

Set the value of a property to nil

func (*Invoice) Voluntary

func (s *Invoice) Voluntary() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice) Voluntary_IsNil

func (s *Invoice) Voluntary_IsNil() bool

Returns whether the element value for Voluntary is nil in the container Invoice.

type Invoice_InvoicedEntity

type Invoice_InvoicedEntity struct {
	// contains filtered or unexported fields
}

func Invoice_InvoicedEntityPointer

func Invoice_InvoicedEntityPointer(value interface{}) (*Invoice_InvoicedEntity, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewInvoice_InvoicedEntity added in v0.1.0

func NewInvoice_InvoicedEntity() *Invoice_InvoicedEntity

Generates a new object as a pointer to a struct

func (*Invoice_InvoicedEntity) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Invoice_InvoicedEntity) SIF_RefObject

func (s *Invoice_InvoicedEntity) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice_InvoicedEntity) SIF_RefObject_IsNil

func (s *Invoice_InvoicedEntity) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container Invoice_InvoicedEntity.

func (*Invoice_InvoicedEntity) SetProperties

func (n *Invoice_InvoicedEntity) SetProperties(props ...Prop) *Invoice_InvoicedEntity

Set a sequence of properties

func (*Invoice_InvoicedEntity) SetProperty

func (n *Invoice_InvoicedEntity) SetProperty(key string, value interface{}) *Invoice_InvoicedEntity

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Invoice_InvoicedEntity) Unset

Set the value of a property to nil

func (*Invoice_InvoicedEntity) Value

func (s *Invoice_InvoicedEntity) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Invoice_InvoicedEntity) Value_IsNil

func (s *Invoice_InvoicedEntity) Value_IsNil() bool

Returns whether the element value for Value is nil in the container Invoice_InvoicedEntity.

type Invoices

type Invoices struct {
	// contains filtered or unexported fields
}

func InvoicesPointer added in v0.1.0

func InvoicesPointer(value interface{}) (*Invoices, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewInvoices added in v0.1.0

func NewInvoices() *Invoices

Generates a new object as a pointer to a struct

func (*Invoices) AddNew added in v0.1.0

func (t *Invoices) AddNew() *Invoices

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*Invoices) Append added in v0.1.0

func (t *Invoices) Append(values ...*Invoice) *Invoices

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Invoices) Clone added in v0.1.0

func (t *Invoices) Clone() *Invoices

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Invoices) Index added in v0.1.0

func (t *Invoices) Index(n int) *Invoice

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*Invoices) Last added in v0.1.0

func (t *Invoices) Last() *invoice

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*Invoices) Len added in v0.1.0

func (t *Invoices) Len() int

Length of the list.

func (*Invoices) ToSlice added in v0.1.0

func (t *Invoices) ToSlice() []*Invoice

Convert list object to slice

type Journal

type Journal struct {
	// contains filtered or unexported fields
}

func JournalPointer

func JournalPointer(value interface{}) (*Journal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func JournalSlice

func JournalSlice() []*Journal

Create a slice of pointers to the object type

func NewJournal added in v0.1.0

func NewJournal() *Journal

Generates a new object as a pointer to a struct

func (*Journal) Amount

func (s *Journal) Amount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) Amount_IsNil

func (s *Journal) Amount_IsNil() bool

Returns whether the element value for Amount is nil in the container Journal.

func (*Journal) ApprovedBy

func (s *Journal) ApprovedBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) ApprovedBy_IsNil

func (s *Journal) ApprovedBy_IsNil() bool

Returns whether the element value for ApprovedBy is nil in the container Journal.

func (*Journal) ApprovedDate

func (s *Journal) ApprovedDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) ApprovedDate_IsNil

func (s *Journal) ApprovedDate_IsNil() bool

Returns whether the element value for ApprovedDate is nil in the container Journal.

func (*Journal) Clone

func (t *Journal) Clone() *Journal

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Journal) CreatedBy

func (s *Journal) CreatedBy() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) CreatedBy_IsNil

func (s *Journal) CreatedBy_IsNil() bool

Returns whether the element value for CreatedBy is nil in the container Journal.

func (*Journal) CreatedDate

func (s *Journal) CreatedDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) CreatedDate_IsNil

func (s *Journal) CreatedDate_IsNil() bool

Returns whether the element value for CreatedDate is nil in the container Journal.

func (*Journal) CreditAccountCode

func (s *Journal) CreditAccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) CreditAccountCode_IsNil

func (s *Journal) CreditAccountCode_IsNil() bool

Returns whether the element value for CreditAccountCode is nil in the container Journal.

func (*Journal) CreditFinancialAccountRefId

func (s *Journal) CreditFinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) CreditFinancialAccountRefId_IsNil

func (s *Journal) CreditFinancialAccountRefId_IsNil() bool

Returns whether the element value for CreditFinancialAccountRefId is nil in the container Journal.

func (*Journal) DebitAccountCode

func (s *Journal) DebitAccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) DebitAccountCode_IsNil

func (s *Journal) DebitAccountCode_IsNil() bool

Returns whether the element value for DebitAccountCode is nil in the container Journal.

func (*Journal) DebitFinancialAccountRefId

func (s *Journal) DebitFinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) DebitFinancialAccountRefId_IsNil

func (s *Journal) DebitFinancialAccountRefId_IsNil() bool

Returns whether the element value for DebitFinancialAccountRefId is nil in the container Journal.

func (*Journal) GSTCodeOriginal

func (s *Journal) GSTCodeOriginal() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) GSTCodeOriginal_IsNil

func (s *Journal) GSTCodeOriginal_IsNil() bool

Returns whether the element value for GSTCodeOriginal is nil in the container Journal.

func (*Journal) GSTCodeReplacement

func (s *Journal) GSTCodeReplacement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) GSTCodeReplacement_IsNil

func (s *Journal) GSTCodeReplacement_IsNil() bool

Returns whether the element value for GSTCodeReplacement is nil in the container Journal.

func (*Journal) JournalAdjustmentList

func (s *Journal) JournalAdjustmentList() *JournalAdjustmentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) JournalAdjustmentList_IsNil

func (s *Journal) JournalAdjustmentList_IsNil() bool

Returns whether the element value for JournalAdjustmentList is nil in the container Journal.

func (*Journal) LocalCodeList

func (s *Journal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) LocalCodeList_IsNil

func (s *Journal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container Journal.

func (*Journal) LocalId

func (s *Journal) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) LocalId_IsNil

func (s *Journal) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container Journal.

func (*Journal) Note

func (s *Journal) Note() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) Note_IsNil

func (s *Journal) Note_IsNil() bool

Returns whether the element value for Note is nil in the container Journal.

func (*Journal) OriginatingTransactionRefId

func (s *Journal) OriginatingTransactionRefId() *Journal_OriginatingTransactionRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) OriginatingTransactionRefId_IsNil

func (s *Journal) OriginatingTransactionRefId_IsNil() bool

Returns whether the element value for OriginatingTransactionRefId is nil in the container Journal.

func (*Journal) RefId

func (s *Journal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) RefId_IsNil

func (s *Journal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container Journal.

func (*Journal) SIF_ExtendedElements

func (s *Journal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) SIF_ExtendedElements_IsNil

func (s *Journal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container Journal.

func (*Journal) SIF_Metadata

func (s *Journal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal) SIF_Metadata_IsNil

func (s *Journal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container Journal.

func (*Journal) SetProperties

func (n *Journal) SetProperties(props ...Prop) *Journal

Set a sequence of properties

func (*Journal) SetProperty

func (n *Journal) SetProperty(key string, value interface{}) *Journal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Journal) Unset

func (n *Journal) Unset(key string) *Journal

Set the value of a property to nil

type JournalAdjustmentListType

type JournalAdjustmentListType struct {
	// contains filtered or unexported fields
}

func JournalAdjustmentListTypePointer

func JournalAdjustmentListTypePointer(value interface{}) (*JournalAdjustmentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewJournalAdjustmentListType added in v0.1.0

func NewJournalAdjustmentListType() *JournalAdjustmentListType

Generates a new object as a pointer to a struct

func (*JournalAdjustmentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*JournalAdjustmentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*JournalAdjustmentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*JournalAdjustmentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*JournalAdjustmentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*JournalAdjustmentListType) Len

func (t *JournalAdjustmentListType) Len() int

Length of the list.

func (*JournalAdjustmentListType) ToSlice added in v0.1.0

Convert list object to slice

type JournalAdjustmentType

type JournalAdjustmentType struct {
	// contains filtered or unexported fields
}

func JournalAdjustmentTypePointer

func JournalAdjustmentTypePointer(value interface{}) (*JournalAdjustmentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewJournalAdjustmentType added in v0.1.0

func NewJournalAdjustmentType() *JournalAdjustmentType

Generates a new object as a pointer to a struct

func (*JournalAdjustmentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*JournalAdjustmentType) CreditAccountCode

func (s *JournalAdjustmentType) CreditAccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) CreditAccountCode_IsNil

func (s *JournalAdjustmentType) CreditAccountCode_IsNil() bool

Returns whether the element value for CreditAccountCode is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) CreditFinancialAccountRefId

func (s *JournalAdjustmentType) CreditFinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) CreditFinancialAccountRefId_IsNil

func (s *JournalAdjustmentType) CreditFinancialAccountRefId_IsNil() bool

Returns whether the element value for CreditFinancialAccountRefId is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) DebitAccountCode

func (s *JournalAdjustmentType) DebitAccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) DebitAccountCode_IsNil

func (s *JournalAdjustmentType) DebitAccountCode_IsNil() bool

Returns whether the element value for DebitAccountCode is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) DebitFinancialAccountRefId

func (s *JournalAdjustmentType) DebitFinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) DebitFinancialAccountRefId_IsNil

func (s *JournalAdjustmentType) DebitFinancialAccountRefId_IsNil() bool

Returns whether the element value for DebitFinancialAccountRefId is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) GSTCodeOriginal

func (s *JournalAdjustmentType) GSTCodeOriginal() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) GSTCodeOriginal_IsNil

func (s *JournalAdjustmentType) GSTCodeOriginal_IsNil() bool

Returns whether the element value for GSTCodeOriginal is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) GSTCodeReplacement

func (s *JournalAdjustmentType) GSTCodeReplacement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) GSTCodeReplacement_IsNil

func (s *JournalAdjustmentType) GSTCodeReplacement_IsNil() bool

Returns whether the element value for GSTCodeReplacement is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) LineAdjustmentAmount

func (s *JournalAdjustmentType) LineAdjustmentAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*JournalAdjustmentType) LineAdjustmentAmount_IsNil

func (s *JournalAdjustmentType) LineAdjustmentAmount_IsNil() bool

Returns whether the element value for LineAdjustmentAmount is nil in the container JournalAdjustmentType.

func (*JournalAdjustmentType) SetProperties

func (n *JournalAdjustmentType) SetProperties(props ...Prop) *JournalAdjustmentType

Set a sequence of properties

func (*JournalAdjustmentType) SetProperty

func (n *JournalAdjustmentType) SetProperty(key string, value interface{}) *JournalAdjustmentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*JournalAdjustmentType) Unset

Set the value of a property to nil

type Journal_OriginatingTransactionRefId

type Journal_OriginatingTransactionRefId struct {
	// contains filtered or unexported fields
}

func Journal_OriginatingTransactionRefIdPointer

func Journal_OriginatingTransactionRefIdPointer(value interface{}) (*Journal_OriginatingTransactionRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewJournal_OriginatingTransactionRefId added in v0.1.0

func NewJournal_OriginatingTransactionRefId() *Journal_OriginatingTransactionRefId

Generates a new object as a pointer to a struct

func (*Journal_OriginatingTransactionRefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Journal_OriginatingTransactionRefId) SIF_RefObject

func (s *Journal_OriginatingTransactionRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal_OriginatingTransactionRefId) SIF_RefObject_IsNil

func (s *Journal_OriginatingTransactionRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container Journal_OriginatingTransactionRefId.

func (*Journal_OriginatingTransactionRefId) SetProperties

Set a sequence of properties

func (*Journal_OriginatingTransactionRefId) SetProperty

func (n *Journal_OriginatingTransactionRefId) SetProperty(key string, value interface{}) *Journal_OriginatingTransactionRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Journal_OriginatingTransactionRefId) Unset

Set the value of a property to nil

func (*Journal_OriginatingTransactionRefId) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*Journal_OriginatingTransactionRefId) Value_IsNil

func (s *Journal_OriginatingTransactionRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container Journal_OriginatingTransactionRefId.

type Journals

type Journals struct {
	// contains filtered or unexported fields
}

func JournalsPointer added in v0.1.0

func JournalsPointer(value interface{}) (*Journals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewJournals added in v0.1.0

func NewJournals() *Journals

Generates a new object as a pointer to a struct

func (*Journals) AddNew added in v0.1.0

func (t *Journals) AddNew() *Journals

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*Journals) Append added in v0.1.0

func (t *Journals) Append(values ...*Journal) *Journals

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*Journals) Clone added in v0.1.0

func (t *Journals) Clone() *Journals

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*Journals) Index added in v0.1.0

func (t *Journals) Index(n int) *Journal

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*Journals) Last added in v0.1.0

func (t *Journals) Last() *journal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*Journals) Len added in v0.1.0

func (t *Journals) Len() int

Length of the list.

func (*Journals) ToSlice added in v0.1.0

func (t *Journals) ToSlice() []*Journal

Convert list object to slice

type LEAContactListType

type LEAContactListType struct {
	// contains filtered or unexported fields
}

func LEAContactListTypePointer

func LEAContactListTypePointer(value interface{}) (*LEAContactListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLEAContactListType added in v0.1.0

func NewLEAContactListType() *LEAContactListType

Generates a new object as a pointer to a struct

func (*LEAContactListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LEAContactListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LEAContactListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LEAContactListType) Index

func (t *LEAContactListType) Index(n int) *LEAContactType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LEAContactListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LEAContactListType) Len

func (t *LEAContactListType) Len() int

Length of the list.

func (*LEAContactListType) ToSlice added in v0.1.0

func (t *LEAContactListType) ToSlice() []*LEAContactType

Convert list object to slice

type LEAContactType

type LEAContactType struct {
	// contains filtered or unexported fields
}

func LEAContactTypePointer

func LEAContactTypePointer(value interface{}) (*LEAContactType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLEAContactType added in v0.1.0

func NewLEAContactType() *LEAContactType

Generates a new object as a pointer to a struct

func (*LEAContactType) Clone

func (t *LEAContactType) Clone() *LEAContactType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LEAContactType) ContactInfo

func (s *LEAContactType) ContactInfo() *ContactInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAContactType) ContactInfo_IsNil

func (s *LEAContactType) ContactInfo_IsNil() bool

Returns whether the element value for ContactInfo is nil in the container LEAContactType.

func (*LEAContactType) PublishInDirectory

func (s *LEAContactType) PublishInDirectory() *PublishInDirectoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAContactType) PublishInDirectory_IsNil

func (s *LEAContactType) PublishInDirectory_IsNil() bool

Returns whether the element value for PublishInDirectory is nil in the container LEAContactType.

func (*LEAContactType) SetProperties

func (n *LEAContactType) SetProperties(props ...Prop) *LEAContactType

Set a sequence of properties

func (*LEAContactType) SetProperty

func (n *LEAContactType) SetProperty(key string, value interface{}) *LEAContactType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LEAContactType) Unset

func (n *LEAContactType) Unset(key string) *LEAContactType

Set the value of a property to nil

type LEAInfo

type LEAInfo struct {
	// contains filtered or unexported fields
}

func LEAInfoPointer

func LEAInfoPointer(value interface{}) (*LEAInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func LEAInfoSlice

func LEAInfoSlice() []*LEAInfo

Create a slice of pointers to the object type

func NewLEAInfo added in v0.1.0

func NewLEAInfo() *LEAInfo

Generates a new object as a pointer to a struct

func (*LEAInfo) AddressList

func (s *LEAInfo) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) AddressList_IsNil

func (s *LEAInfo) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container LEAInfo.

func (*LEAInfo) Clone

func (t *LEAInfo) Clone() *LEAInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LEAInfo) CommonwealthId

func (s *LEAInfo) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) CommonwealthId_IsNil

func (s *LEAInfo) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container LEAInfo.

func (*LEAInfo) EducationAgencyType

func (s *LEAInfo) EducationAgencyType() *AgencyType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) EducationAgencyType_IsNil

func (s *LEAInfo) EducationAgencyType_IsNil() bool

Returns whether the element value for EducationAgencyType is nil in the container LEAInfo.

func (*LEAInfo) JurisdictionLowerHouse

func (s *LEAInfo) JurisdictionLowerHouse() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) JurisdictionLowerHouse_IsNil

func (s *LEAInfo) JurisdictionLowerHouse_IsNil() bool

Returns whether the element value for JurisdictionLowerHouse is nil in the container LEAInfo.

func (*LEAInfo) LEAContactList

func (s *LEAInfo) LEAContactList() *LEAContactListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) LEAContactList_IsNil

func (s *LEAInfo) LEAContactList_IsNil() bool

Returns whether the element value for LEAContactList is nil in the container LEAInfo.

func (*LEAInfo) LEAName

func (s *LEAInfo) LEAName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) LEAName_IsNil

func (s *LEAInfo) LEAName_IsNil() bool

Returns whether the element value for LEAName is nil in the container LEAInfo.

func (*LEAInfo) LEAURL

func (s *LEAInfo) LEAURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) LEAURL_IsNil

func (s *LEAInfo) LEAURL_IsNil() bool

Returns whether the element value for LEAURL is nil in the container LEAInfo.

func (*LEAInfo) LocalCodeList

func (s *LEAInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) LocalCodeList_IsNil

func (s *LEAInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container LEAInfo.

func (*LEAInfo) LocalId

func (s *LEAInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) LocalId_IsNil

func (s *LEAInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container LEAInfo.

func (*LEAInfo) OperationalStatus

func (s *LEAInfo) OperationalStatus() *OperationalStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) OperationalStatus_IsNil

func (s *LEAInfo) OperationalStatus_IsNil() bool

Returns whether the element value for OperationalStatus is nil in the container LEAInfo.

func (*LEAInfo) PhoneNumberList

func (s *LEAInfo) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) PhoneNumberList_IsNil

func (s *LEAInfo) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container LEAInfo.

func (*LEAInfo) RefId

func (s *LEAInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) RefId_IsNil

func (s *LEAInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container LEAInfo.

func (*LEAInfo) SIF_ExtendedElements

func (s *LEAInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) SIF_ExtendedElements_IsNil

func (s *LEAInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container LEAInfo.

func (*LEAInfo) SIF_Metadata

func (s *LEAInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) SIF_Metadata_IsNil

func (s *LEAInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container LEAInfo.

func (*LEAInfo) SLA

func (s *LEAInfo) SLA() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) SLA_IsNil

func (s *LEAInfo) SLA_IsNil() bool

Returns whether the element value for SLA is nil in the container LEAInfo.

func (*LEAInfo) SetProperties

func (n *LEAInfo) SetProperties(props ...Prop) *LEAInfo

Set a sequence of properties

func (*LEAInfo) SetProperty

func (n *LEAInfo) SetProperty(key string, value interface{}) *LEAInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LEAInfo) StateProvinceId

func (s *LEAInfo) StateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LEAInfo) StateProvinceId_IsNil

func (s *LEAInfo) StateProvinceId_IsNil() bool

Returns whether the element value for StateProvinceId is nil in the container LEAInfo.

func (*LEAInfo) Unset

func (n *LEAInfo) Unset(key string) *LEAInfo

Set the value of a property to nil

type LEAInfos

type LEAInfos struct {
	// contains filtered or unexported fields
}

func LEAInfosPointer added in v0.1.0

func LEAInfosPointer(value interface{}) (*LEAInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLEAInfos added in v0.1.0

func NewLEAInfos() *LEAInfos

Generates a new object as a pointer to a struct

func (*LEAInfos) AddNew added in v0.1.0

func (t *LEAInfos) AddNew() *LEAInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LEAInfos) Append added in v0.1.0

func (t *LEAInfos) Append(values ...*LEAInfo) *LEAInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LEAInfos) Clone added in v0.1.0

func (t *LEAInfos) Clone() *LEAInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LEAInfos) Index added in v0.1.0

func (t *LEAInfos) Index(n int) *LEAInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*LEAInfos) Last added in v0.1.0

func (t *LEAInfos) Last() *leainfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LEAInfos) Len added in v0.1.0

func (t *LEAInfos) Len() int

Length of the list.

func (*LEAInfos) ToSlice added in v0.1.0

func (t *LEAInfos) ToSlice() []*LEAInfo

Convert list object to slice

type LResourcesType

type LResourcesType struct {
	// contains filtered or unexported fields
}

func LResourcesTypePointer

func LResourcesTypePointer(value interface{}) (*LResourcesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLResourcesType added in v0.1.0

func NewLResourcesType() *LResourcesType

Generates a new object as a pointer to a struct

func (*LResourcesType) AddNew

func (t *LResourcesType) AddNew() *LResourcesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LResourcesType) Append

func (t *LResourcesType) Append(values ...ResourcesType) *LResourcesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LResourcesType) Clone

func (t *LResourcesType) Clone() *LResourcesType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LResourcesType) Index

func (t *LResourcesType) Index(n int) *ResourcesType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LResourcesType) Last

func (t *LResourcesType) Last() *ResourcesType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LResourcesType) Len

func (t *LResourcesType) Len() int

Length of the list.

func (*LResourcesType) ToSlice added in v0.1.0

func (t *LResourcesType) ToSlice() []*ResourcesType

Convert list object to slice

type LanguageBaseType

type LanguageBaseType struct {
	// contains filtered or unexported fields
}

func LanguageBaseTypePointer

func LanguageBaseTypePointer(value interface{}) (*LanguageBaseType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLanguageBaseType added in v0.1.0

func NewLanguageBaseType() *LanguageBaseType

Generates a new object as a pointer to a struct

func (*LanguageBaseType) Clone

func (t *LanguageBaseType) Clone() *LanguageBaseType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LanguageBaseType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageBaseType) Code_IsNil

func (s *LanguageBaseType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container LanguageBaseType.

func (*LanguageBaseType) Dialect

func (s *LanguageBaseType) Dialect() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageBaseType) Dialect_IsNil

func (s *LanguageBaseType) Dialect_IsNil() bool

Returns whether the element value for Dialect is nil in the container LanguageBaseType.

func (*LanguageBaseType) LanguageType

func (s *LanguageBaseType) LanguageType() *AUCodeSetsLanguageTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageBaseType) LanguageType_IsNil

func (s *LanguageBaseType) LanguageType_IsNil() bool

Returns whether the element value for LanguageType is nil in the container LanguageBaseType.

func (*LanguageBaseType) OtherCodeList

func (s *LanguageBaseType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageBaseType) OtherCodeList_IsNil

func (s *LanguageBaseType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container LanguageBaseType.

func (*LanguageBaseType) SetProperties

func (n *LanguageBaseType) SetProperties(props ...Prop) *LanguageBaseType

Set a sequence of properties

func (*LanguageBaseType) SetProperty

func (n *LanguageBaseType) SetProperty(key string, value interface{}) *LanguageBaseType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LanguageBaseType) Unset

func (n *LanguageBaseType) Unset(key string) *LanguageBaseType

Set the value of a property to nil

type LanguageListType

type LanguageListType struct {
	// contains filtered or unexported fields
}

func LanguageListTypePointer

func LanguageListTypePointer(value interface{}) (*LanguageListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLanguageListType added in v0.1.0

func NewLanguageListType() *LanguageListType

Generates a new object as a pointer to a struct

func (*LanguageListType) AddNew

func (t *LanguageListType) AddNew() *LanguageListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LanguageListType) Append

func (t *LanguageListType) Append(values ...LanguageBaseType) *LanguageListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LanguageListType) Clone

func (t *LanguageListType) Clone() *LanguageListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LanguageListType) Index

func (t *LanguageListType) Index(n int) *LanguageBaseType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LanguageListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LanguageListType) Len

func (t *LanguageListType) Len() int

Length of the list.

func (*LanguageListType) ToSlice added in v0.1.0

func (t *LanguageListType) ToSlice() []*LanguageBaseType

Convert list object to slice

type LanguageOfInstructionType

type LanguageOfInstructionType struct {
	// contains filtered or unexported fields
}

func LanguageOfInstructionTypePointer

func LanguageOfInstructionTypePointer(value interface{}) (*LanguageOfInstructionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLanguageOfInstructionType added in v0.1.0

func NewLanguageOfInstructionType() *LanguageOfInstructionType

Generates a new object as a pointer to a struct

func (*LanguageOfInstructionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LanguageOfInstructionType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageOfInstructionType) Code_IsNil

func (s *LanguageOfInstructionType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container LanguageOfInstructionType.

func (*LanguageOfInstructionType) OtherCodeList

func (s *LanguageOfInstructionType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LanguageOfInstructionType) OtherCodeList_IsNil

func (s *LanguageOfInstructionType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container LanguageOfInstructionType.

func (*LanguageOfInstructionType) SetProperties

func (n *LanguageOfInstructionType) SetProperties(props ...Prop) *LanguageOfInstructionType

Set a sequence of properties

func (*LanguageOfInstructionType) SetProperty

func (n *LanguageOfInstructionType) SetProperty(key string, value interface{}) *LanguageOfInstructionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LanguageOfInstructionType) Unset

Set the value of a property to nil

type LearningObjectivesType

type LearningObjectivesType struct {
	// contains filtered or unexported fields
}

func LearningObjectivesTypePointer

func LearningObjectivesTypePointer(value interface{}) (*LearningObjectivesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningObjectivesType added in v0.1.0

func NewLearningObjectivesType() *LearningObjectivesType

Generates a new object as a pointer to a struct

func (*LearningObjectivesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningObjectivesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningObjectivesType) AppendString

func (t *LearningObjectivesType) AppendString(value string) *LearningObjectivesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*LearningObjectivesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningObjectivesType) Index

func (t *LearningObjectivesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LearningObjectivesType) Last

func (t *LearningObjectivesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningObjectivesType) Len

func (t *LearningObjectivesType) Len() int

Length of the list.

func (*LearningObjectivesType) ToSlice added in v0.1.0

func (t *LearningObjectivesType) ToSlice() []*string

Convert list object to slice

type LearningResource

type LearningResource struct {
	// contains filtered or unexported fields
}

func LearningResourcePointer

func LearningResourcePointer(value interface{}) (*LearningResource, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func LearningResourceSlice

func LearningResourceSlice() []*LearningResource

Create a slice of pointers to the object type

func NewLearningResource added in v0.1.0

func NewLearningResource() *LearningResource

Generates a new object as a pointer to a struct

func (*LearningResource) AgreementDate

func (s *LearningResource) AgreementDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) AgreementDate_IsNil

func (s *LearningResource) AgreementDate_IsNil() bool

Returns whether the element value for AgreementDate is nil in the container LearningResource.

func (*LearningResource) Approvals

func (s *LearningResource) Approvals() *ApprovalsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Approvals_IsNil

func (s *LearningResource) Approvals_IsNil() bool

Returns whether the element value for Approvals is nil in the container LearningResource.

func (*LearningResource) Author

func (s *LearningResource) Author() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Author_IsNil

func (s *LearningResource) Author_IsNil() bool

Returns whether the element value for Author is nil in the container LearningResource.

func (*LearningResource) Clone

func (t *LearningResource) Clone() *LearningResource

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningResource) Components

func (s *LearningResource) Components() *ComponentsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Components_IsNil

func (s *LearningResource) Components_IsNil() bool

Returns whether the element value for Components is nil in the container LearningResource.

func (*LearningResource) Contacts

func (s *LearningResource) Contacts() *ContactsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Contacts_IsNil

func (s *LearningResource) Contacts_IsNil() bool

Returns whether the element value for Contacts is nil in the container LearningResource.

func (*LearningResource) Description

func (s *LearningResource) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Description_IsNil

func (s *LearningResource) Description_IsNil() bool

Returns whether the element value for Description is nil in the container LearningResource.

func (*LearningResource) Evaluations

func (s *LearningResource) Evaluations() *EvaluationsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Evaluations_IsNil

func (s *LearningResource) Evaluations_IsNil() bool

Returns whether the element value for Evaluations is nil in the container LearningResource.

func (*LearningResource) LearningResourcePackageRefId

func (s *LearningResource) LearningResourcePackageRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) LearningResourcePackageRefId_IsNil

func (s *LearningResource) LearningResourcePackageRefId_IsNil() bool

Returns whether the element value for LearningResourcePackageRefId is nil in the container LearningResource.

func (*LearningResource) LearningStandards

func (s *LearningResource) LearningStandards() *LearningStandardsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) LearningStandards_IsNil

func (s *LearningResource) LearningStandards_IsNil() bool

Returns whether the element value for LearningStandards is nil in the container LearningResource.

func (*LearningResource) LocalCodeList

func (s *LearningResource) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) LocalCodeList_IsNil

func (s *LearningResource) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container LearningResource.

func (*LearningResource) Location

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Location_IsNil

func (s *LearningResource) Location_IsNil() bool

Returns whether the element value for Location is nil in the container LearningResource.

func (*LearningResource) MediaTypes

func (s *LearningResource) MediaTypes() *MediaTypesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) MediaTypes_IsNil

func (s *LearningResource) MediaTypes_IsNil() bool

Returns whether the element value for MediaTypes is nil in the container LearningResource.

func (*LearningResource) Name

func (s *LearningResource) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Name_IsNil

func (s *LearningResource) Name_IsNil() bool

Returns whether the element value for Name is nil in the container LearningResource.

func (*LearningResource) RefId

func (s *LearningResource) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) RefId_IsNil

func (s *LearningResource) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container LearningResource.

func (*LearningResource) SIF_ExtendedElements

func (s *LearningResource) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) SIF_ExtendedElements_IsNil

func (s *LearningResource) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container LearningResource.

func (*LearningResource) SIF_Metadata

func (s *LearningResource) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) SIF_Metadata_IsNil

func (s *LearningResource) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container LearningResource.

func (*LearningResource) SetProperties

func (n *LearningResource) SetProperties(props ...Prop) *LearningResource

Set a sequence of properties

func (*LearningResource) SetProperty

func (n *LearningResource) SetProperty(key string, value interface{}) *LearningResource

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningResource) Status

func (s *LearningResource) Status() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) Status_IsNil

func (s *LearningResource) Status_IsNil() bool

Returns whether the element value for Status is nil in the container LearningResource.

func (*LearningResource) SubjectAreas

func (s *LearningResource) SubjectAreas() *ACStrandAreaListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) SubjectAreas_IsNil

func (s *LearningResource) SubjectAreas_IsNil() bool

Returns whether the element value for SubjectAreas is nil in the container LearningResource.

func (*LearningResource) Unset

func (n *LearningResource) Unset(key string) *LearningResource

Set the value of a property to nil

func (*LearningResource) UseAgreement

func (s *LearningResource) UseAgreement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) UseAgreement_IsNil

func (s *LearningResource) UseAgreement_IsNil() bool

Returns whether the element value for UseAgreement is nil in the container LearningResource.

func (*LearningResource) YearLevels

func (s *LearningResource) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResource) YearLevels_IsNil

func (s *LearningResource) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container LearningResource.

type LearningResourceLocationType

type LearningResourceLocationType struct {
	// contains filtered or unexported fields
}

func LearningResourceLocationTypePointer

func LearningResourceLocationTypePointer(value interface{}) (*LearningResourceLocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningResourceLocationType added in v0.1.0

func NewLearningResourceLocationType() *LearningResourceLocationType

Generates a new object as a pointer to a struct

func (*LearningResourceLocationType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningResourceLocationType) ReferenceType

func (s *LearningResourceLocationType) ReferenceType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResourceLocationType) ReferenceType_IsNil

func (s *LearningResourceLocationType) ReferenceType_IsNil() bool

Returns whether the element value for ReferenceType is nil in the container LearningResourceLocationType.

func (*LearningResourceLocationType) SetProperties

Set a sequence of properties

func (*LearningResourceLocationType) SetProperty

func (n *LearningResourceLocationType) SetProperty(key string, value interface{}) *LearningResourceLocationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningResourceLocationType) Unset

Set the value of a property to nil

func (*LearningResourceLocationType) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningResourceLocationType) Value_IsNil

func (s *LearningResourceLocationType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container LearningResourceLocationType.

type LearningResourcePackage

type LearningResourcePackage AbstractContentElementType

func LearningResourcePackageSlice

func LearningResourcePackageSlice() []*LearningResourcePackage

Create a slice of pointers to the object type

type LearningResourcePackages

type LearningResourcePackages struct {
	// contains filtered or unexported fields
}

func LearningResourcePackagesPointer added in v0.1.0

func LearningResourcePackagesPointer(value interface{}) (*LearningResourcePackages, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*LearningResourcePackages) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

type LearningResources

type LearningResources struct {
	// contains filtered or unexported fields
}

func LearningResourcesPointer added in v0.1.0

func LearningResourcesPointer(value interface{}) (*LearningResources, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningResources added in v0.1.0

func NewLearningResources() *LearningResources

Generates a new object as a pointer to a struct

func (*LearningResources) AddNew added in v0.1.0

func (t *LearningResources) AddNew() *LearningResources

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningResources) Append added in v0.1.0

func (t *LearningResources) Append(values ...*LearningResource) *LearningResources

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningResources) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningResources) Index added in v0.1.0

func (t *LearningResources) Index(n int) *LearningResource

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*LearningResources) Last added in v0.1.0

func (t *LearningResources) Last() *learningresource

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningResources) Len added in v0.1.0

func (t *LearningResources) Len() int

Length of the list.

func (*LearningResources) ToSlice added in v0.1.0

func (t *LearningResources) ToSlice() []*LearningResource

Convert list object to slice

type LearningResourcesType

type LearningResourcesType struct {
	// contains filtered or unexported fields
}

func LearningResourcesTypePointer

func LearningResourcesTypePointer(value interface{}) (*LearningResourcesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningResourcesType added in v0.1.0

func NewLearningResourcesType() *LearningResourcesType

Generates a new object as a pointer to a struct

func (*LearningResourcesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningResourcesType) Append

func (t *LearningResourcesType) Append(values ...string) *LearningResourcesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningResourcesType) AppendString

func (t *LearningResourcesType) AppendString(value string) *LearningResourcesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*LearningResourcesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningResourcesType) Index

func (t *LearningResourcesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LearningResourcesType) Last

func (t *LearningResourcesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningResourcesType) Len

func (t *LearningResourcesType) Len() int

Length of the list.

func (*LearningResourcesType) ToSlice added in v0.1.0

func (t *LearningResourcesType) ToSlice() []*string

Convert list object to slice

type LearningStandardDocument

type LearningStandardDocument struct {
	// contains filtered or unexported fields
}

func LearningStandardDocumentPointer

func LearningStandardDocumentPointer(value interface{}) (*LearningStandardDocument, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func LearningStandardDocumentSlice

func LearningStandardDocumentSlice() []*LearningStandardDocument

Create a slice of pointers to the object type

func NewLearningStandardDocument added in v0.1.0

func NewLearningStandardDocument() *LearningStandardDocument

Generates a new object as a pointer to a struct

func (*LearningStandardDocument) Authors

func (s *LearningStandardDocument) Authors() *AuthorsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Authors_IsNil

func (s *LearningStandardDocument) Authors_IsNil() bool

Returns whether the element value for Authors is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardDocument) Copyright

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Copyright_IsNil

func (s *LearningStandardDocument) Copyright_IsNil() bool

Returns whether the element value for Copyright is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) Description

func (s *LearningStandardDocument) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Description_IsNil

func (s *LearningStandardDocument) Description_IsNil() bool

Returns whether the element value for Description is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) DocumentDate

func (s *LearningStandardDocument) DocumentDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) DocumentDate_IsNil

func (s *LearningStandardDocument) DocumentDate_IsNil() bool

Returns whether the element value for DocumentDate is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) DocumentStatus

func (s *LearningStandardDocument) DocumentStatus() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) DocumentStatus_IsNil

func (s *LearningStandardDocument) DocumentStatus_IsNil() bool

Returns whether the element value for DocumentStatus is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) EndOfLifeDate

func (s *LearningStandardDocument) EndOfLifeDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) EndOfLifeDate_IsNil

func (s *LearningStandardDocument) EndOfLifeDate_IsNil() bool

Returns whether the element value for EndOfLifeDate is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) LearningStandardItemRefId

func (s *LearningStandardDocument) LearningStandardItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) LearningStandardItemRefId_IsNil

func (s *LearningStandardDocument) LearningStandardItemRefId_IsNil() bool

Returns whether the element value for LearningStandardItemRefId is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) LocalAdoptionDate

func (s *LearningStandardDocument) LocalAdoptionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) LocalAdoptionDate_IsNil

func (s *LearningStandardDocument) LocalAdoptionDate_IsNil() bool

Returns whether the element value for LocalAdoptionDate is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) LocalArchiveDate

func (s *LearningStandardDocument) LocalArchiveDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) LocalArchiveDate_IsNil

func (s *LearningStandardDocument) LocalArchiveDate_IsNil() bool

Returns whether the element value for LocalArchiveDate is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) LocalCodeList

func (s *LearningStandardDocument) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) LocalCodeList_IsNil

func (s *LearningStandardDocument) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) OrganizationContactPoint

func (s *LearningStandardDocument) OrganizationContactPoint() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) OrganizationContactPoint_IsNil

func (s *LearningStandardDocument) OrganizationContactPoint_IsNil() bool

Returns whether the element value for OrganizationContactPoint is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) Organizations

func (s *LearningStandardDocument) Organizations() *OrganizationsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Organizations_IsNil

func (s *LearningStandardDocument) Organizations_IsNil() bool

Returns whether the element value for Organizations is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) RefId

func (s *LearningStandardDocument) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) RefId_IsNil

func (s *LearningStandardDocument) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) RelatedLearningStandards

func (s *LearningStandardDocument) RelatedLearningStandards() *LearningStandardsDocumentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) RelatedLearningStandards_IsNil

func (s *LearningStandardDocument) RelatedLearningStandards_IsNil() bool

Returns whether the element value for RelatedLearningStandards is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) RepositoryDate

func (s *LearningStandardDocument) RepositoryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) RepositoryDate_IsNil

func (s *LearningStandardDocument) RepositoryDate_IsNil() bool

Returns whether the element value for RepositoryDate is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) RichDescription

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) RichDescription_IsNil

func (s *LearningStandardDocument) RichDescription_IsNil() bool

Returns whether the element value for RichDescription is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) SIF_ExtendedElements

func (s *LearningStandardDocument) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) SIF_ExtendedElements_IsNil

func (s *LearningStandardDocument) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) SIF_Metadata

func (s *LearningStandardDocument) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) SIF_Metadata_IsNil

func (s *LearningStandardDocument) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) SetProperties

func (n *LearningStandardDocument) SetProperties(props ...Prop) *LearningStandardDocument

Set a sequence of properties

func (*LearningStandardDocument) SetProperty

func (n *LearningStandardDocument) SetProperty(key string, value interface{}) *LearningStandardDocument

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardDocument) Source

func (s *LearningStandardDocument) Source() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Source_IsNil

func (s *LearningStandardDocument) Source_IsNil() bool

Returns whether the element value for Source is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) SubjectAreas

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) SubjectAreas_IsNil

func (s *LearningStandardDocument) SubjectAreas_IsNil() bool

Returns whether the element value for SubjectAreas is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) Title

func (s *LearningStandardDocument) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) Title_IsNil

func (s *LearningStandardDocument) Title_IsNil() bool

Returns whether the element value for Title is nil in the container LearningStandardDocument.

func (*LearningStandardDocument) Unset

Set the value of a property to nil

func (*LearningStandardDocument) YearLevels

func (s *LearningStandardDocument) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardDocument) YearLevels_IsNil

func (s *LearningStandardDocument) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container LearningStandardDocument.

type LearningStandardDocuments

type LearningStandardDocuments struct {
	// contains filtered or unexported fields
}

func LearningStandardDocumentsPointer added in v0.1.0

func LearningStandardDocumentsPointer(value interface{}) (*LearningStandardDocuments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardDocuments added in v0.1.0

func NewLearningStandardDocuments() *LearningStandardDocuments

Generates a new object as a pointer to a struct

func (*LearningStandardDocuments) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningStandardDocuments) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardDocuments) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardDocuments) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*LearningStandardDocuments) Last added in v0.1.0

func (t *LearningStandardDocuments) Last() *learningstandarddocument

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningStandardDocuments) Len added in v0.1.0

func (t *LearningStandardDocuments) Len() int

Length of the list.

func (*LearningStandardDocuments) ToSlice added in v0.1.0

Convert list object to slice

type LearningStandardItem

type LearningStandardItem struct {
	// contains filtered or unexported fields
}

func LearningStandardItemPointer

func LearningStandardItemPointer(value interface{}) (*LearningStandardItem, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func LearningStandardItemSlice

func LearningStandardItemSlice() []*LearningStandardItem

Create a slice of pointers to the object type

func NewLearningStandardItem added in v0.1.0

func NewLearningStandardItem() *LearningStandardItem

Generates a new object as a pointer to a struct

func (*LearningStandardItem) ACStrandSubjectArea

func (s *LearningStandardItem) ACStrandSubjectArea() *ACStrandSubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) ACStrandSubjectArea_IsNil

func (s *LearningStandardItem) ACStrandSubjectArea_IsNil() bool

Returns whether the element value for ACStrandSubjectArea is nil in the container LearningStandardItem.

func (*LearningStandardItem) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardItem) LearningStandardDocumentRefId

func (s *LearningStandardItem) LearningStandardDocumentRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) LearningStandardDocumentRefId_IsNil

func (s *LearningStandardItem) LearningStandardDocumentRefId_IsNil() bool

Returns whether the element value for LearningStandardDocumentRefId is nil in the container LearningStandardItem.

func (*LearningStandardItem) Level4

func (s *LearningStandardItem) Level4() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) Level4_IsNil

func (s *LearningStandardItem) Level4_IsNil() bool

Returns whether the element value for Level4 is nil in the container LearningStandardItem.

func (*LearningStandardItem) Level5

func (s *LearningStandardItem) Level5() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) Level5_IsNil

func (s *LearningStandardItem) Level5_IsNil() bool

Returns whether the element value for Level5 is nil in the container LearningStandardItem.

func (*LearningStandardItem) LocalCodeList

func (s *LearningStandardItem) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) LocalCodeList_IsNil

func (s *LearningStandardItem) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container LearningStandardItem.

func (*LearningStandardItem) PredecessorItems

func (s *LearningStandardItem) PredecessorItems() *LearningStandardsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) PredecessorItems_IsNil

func (s *LearningStandardItem) PredecessorItems_IsNil() bool

Returns whether the element value for PredecessorItems is nil in the container LearningStandardItem.

func (*LearningStandardItem) RefId

func (s *LearningStandardItem) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) RefId_IsNil

func (s *LearningStandardItem) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container LearningStandardItem.

func (*LearningStandardItem) RelatedLearningStandardItems

func (s *LearningStandardItem) RelatedLearningStandardItems() *RelatedLearningStandardItemRefIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) RelatedLearningStandardItems_IsNil

func (s *LearningStandardItem) RelatedLearningStandardItems_IsNil() bool

Returns whether the element value for RelatedLearningStandardItems is nil in the container LearningStandardItem.

func (*LearningStandardItem) Resources

func (s *LearningStandardItem) Resources() *LResourcesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) Resources_IsNil

func (s *LearningStandardItem) Resources_IsNil() bool

Returns whether the element value for Resources is nil in the container LearningStandardItem.

func (*LearningStandardItem) SIF_ExtendedElements

func (s *LearningStandardItem) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) SIF_ExtendedElements_IsNil

func (s *LearningStandardItem) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container LearningStandardItem.

func (*LearningStandardItem) SIF_Metadata

func (s *LearningStandardItem) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) SIF_Metadata_IsNil

func (s *LearningStandardItem) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container LearningStandardItem.

func (*LearningStandardItem) SetProperties

func (n *LearningStandardItem) SetProperties(props ...Prop) *LearningStandardItem

Set a sequence of properties

func (*LearningStandardItem) SetProperty

func (n *LearningStandardItem) SetProperty(key string, value interface{}) *LearningStandardItem

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardItem) StandardHierarchyLevel

func (s *LearningStandardItem) StandardHierarchyLevel() *StandardHierarchyLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) StandardHierarchyLevel_IsNil

func (s *LearningStandardItem) StandardHierarchyLevel_IsNil() bool

Returns whether the element value for StandardHierarchyLevel is nil in the container LearningStandardItem.

func (*LearningStandardItem) StandardIdentifier

func (s *LearningStandardItem) StandardIdentifier() *StandardIdentifierType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) StandardIdentifier_IsNil

func (s *LearningStandardItem) StandardIdentifier_IsNil() bool

Returns whether the element value for StandardIdentifier is nil in the container LearningStandardItem.

func (*LearningStandardItem) StandardSettingBody

func (s *LearningStandardItem) StandardSettingBody() *StandardsSettingBodyType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) StandardSettingBody_IsNil

func (s *LearningStandardItem) StandardSettingBody_IsNil() bool

Returns whether the element value for StandardSettingBody is nil in the container LearningStandardItem.

func (*LearningStandardItem) StatementCodes

func (s *LearningStandardItem) StatementCodes() *StatementCodesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) StatementCodes_IsNil

func (s *LearningStandardItem) StatementCodes_IsNil() bool

Returns whether the element value for StatementCodes is nil in the container LearningStandardItem.

func (*LearningStandardItem) Statements

func (s *LearningStandardItem) Statements() *StatementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) Statements_IsNil

func (s *LearningStandardItem) Statements_IsNil() bool

Returns whether the element value for Statements is nil in the container LearningStandardItem.

func (*LearningStandardItem) Unset

Set the value of a property to nil

func (*LearningStandardItem) YearLevels

func (s *LearningStandardItem) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardItem) YearLevels_IsNil

func (s *LearningStandardItem) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container LearningStandardItem.

type LearningStandardItems

type LearningStandardItems struct {
	// contains filtered or unexported fields
}

func LearningStandardItemsPointer added in v0.1.0

func LearningStandardItemsPointer(value interface{}) (*LearningStandardItems, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardItems added in v0.1.0

func NewLearningStandardItems() *LearningStandardItems

Generates a new object as a pointer to a struct

func (*LearningStandardItems) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningStandardItems) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardItems) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardItems) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*LearningStandardItems) Last added in v0.1.0

func (t *LearningStandardItems) Last() *learningstandarditem

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningStandardItems) Len added in v0.1.0

func (t *LearningStandardItems) Len() int

Length of the list.

func (*LearningStandardItems) ToSlice added in v0.1.0

Convert list object to slice

type LearningStandardListType

type LearningStandardListType struct {
	// contains filtered or unexported fields
}

func LearningStandardListTypePointer

func LearningStandardListTypePointer(value interface{}) (*LearningStandardListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardListType added in v0.1.0

func NewLearningStandardListType() *LearningStandardListType

Generates a new object as a pointer to a struct

func (*LearningStandardListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningStandardListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LearningStandardListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningStandardListType) Len

func (t *LearningStandardListType) Len() int

Length of the list.

func (*LearningStandardListType) ToSlice added in v0.1.0

Convert list object to slice

type LearningStandardType

type LearningStandardType struct {
	// contains filtered or unexported fields
}

func LearningStandardTypePointer

func LearningStandardTypePointer(value interface{}) (*LearningStandardType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardType added in v0.1.0

func NewLearningStandardType() *LearningStandardType

Generates a new object as a pointer to a struct

func (*LearningStandardType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardType) LearningStandardItemRefId

func (s *LearningStandardType) LearningStandardItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardType) LearningStandardItemRefId_IsNil

func (s *LearningStandardType) LearningStandardItemRefId_IsNil() bool

Returns whether the element value for LearningStandardItemRefId is nil in the container LearningStandardType.

func (*LearningStandardType) LearningStandardLocalId

func (s *LearningStandardType) LearningStandardLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardType) LearningStandardLocalId_IsNil

func (s *LearningStandardType) LearningStandardLocalId_IsNil() bool

Returns whether the element value for LearningStandardLocalId is nil in the container LearningStandardType.

func (*LearningStandardType) LearningStandardURL

func (s *LearningStandardType) LearningStandardURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LearningStandardType) LearningStandardURL_IsNil

func (s *LearningStandardType) LearningStandardURL_IsNil() bool

Returns whether the element value for LearningStandardURL is nil in the container LearningStandardType.

func (*LearningStandardType) SetProperties

func (n *LearningStandardType) SetProperties(props ...Prop) *LearningStandardType

Set a sequence of properties

func (*LearningStandardType) SetProperty

func (n *LearningStandardType) SetProperty(key string, value interface{}) *LearningStandardType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardType) Unset

Set the value of a property to nil

type LearningStandardsDocumentType

type LearningStandardsDocumentType struct {
	// contains filtered or unexported fields
}

func LearningStandardsDocumentTypePointer

func LearningStandardsDocumentTypePointer(value interface{}) (*LearningStandardsDocumentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardsDocumentType added in v0.1.0

func NewLearningStandardsDocumentType() *LearningStandardsDocumentType

Generates a new object as a pointer to a struct

func (*LearningStandardsDocumentType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningStandardsDocumentType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardsDocumentType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*LearningStandardsDocumentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardsDocumentType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LearningStandardsDocumentType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningStandardsDocumentType) Len

Length of the list.

func (*LearningStandardsDocumentType) ToSlice added in v0.1.0

func (t *LearningStandardsDocumentType) ToSlice() []*string

Convert list object to slice

type LearningStandardsType

type LearningStandardsType struct {
	// contains filtered or unexported fields
}

func LearningStandardsTypePointer

func LearningStandardsTypePointer(value interface{}) (*LearningStandardsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLearningStandardsType added in v0.1.0

func NewLearningStandardsType() *LearningStandardsType

Generates a new object as a pointer to a struct

func (*LearningStandardsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LearningStandardsType) Append

func (t *LearningStandardsType) Append(values ...string) *LearningStandardsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LearningStandardsType) AppendString

func (t *LearningStandardsType) AppendString(value string) *LearningStandardsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*LearningStandardsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LearningStandardsType) Index

func (t *LearningStandardsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LearningStandardsType) Last

func (t *LearningStandardsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LearningStandardsType) Len

func (t *LearningStandardsType) Len() int

Length of the list.

func (*LearningStandardsType) ToSlice added in v0.1.0

func (t *LearningStandardsType) ToSlice() []*string

Convert list object to slice

type LibraryItemInfoType

type LibraryItemInfoType struct {
	// contains filtered or unexported fields
}

func LibraryItemInfoTypePointer

func LibraryItemInfoTypePointer(value interface{}) (*LibraryItemInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryItemInfoType added in v0.1.0

func NewLibraryItemInfoType() *LibraryItemInfoType

Generates a new object as a pointer to a struct

func (*LibraryItemInfoType) Author

func (s *LibraryItemInfoType) Author() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) Author_IsNil

func (s *LibraryItemInfoType) Author_IsNil() bool

Returns whether the element value for Author is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) CallNumber

func (s *LibraryItemInfoType) CallNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) CallNumber_IsNil

func (s *LibraryItemInfoType) CallNumber_IsNil() bool

Returns whether the element value for CallNumber is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryItemInfoType) Cost

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) Cost_IsNil

func (s *LibraryItemInfoType) Cost_IsNil() bool

Returns whether the element value for Cost is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) ElectronicId

func (s *LibraryItemInfoType) ElectronicId() *ElectronicIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) ElectronicId_IsNil

func (s *LibraryItemInfoType) ElectronicId_IsNil() bool

Returns whether the element value for ElectronicId is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) ISBN

func (s *LibraryItemInfoType) ISBN() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) ISBN_IsNil

func (s *LibraryItemInfoType) ISBN_IsNil() bool

Returns whether the element value for ISBN is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) ReplacementCost

func (s *LibraryItemInfoType) ReplacementCost() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) ReplacementCost_IsNil

func (s *LibraryItemInfoType) ReplacementCost_IsNil() bool

Returns whether the element value for ReplacementCost is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) SetProperties

func (n *LibraryItemInfoType) SetProperties(props ...Prop) *LibraryItemInfoType

Set a sequence of properties

func (*LibraryItemInfoType) SetProperty

func (n *LibraryItemInfoType) SetProperty(key string, value interface{}) *LibraryItemInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryItemInfoType) Title

func (s *LibraryItemInfoType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) Title_IsNil

func (s *LibraryItemInfoType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) Type

func (s *LibraryItemInfoType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryItemInfoType) Type_IsNil

func (s *LibraryItemInfoType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container LibraryItemInfoType.

func (*LibraryItemInfoType) Unset

Set the value of a property to nil

type LibraryMessageListType

type LibraryMessageListType struct {
	// contains filtered or unexported fields
}

func LibraryMessageListTypePointer

func LibraryMessageListTypePointer(value interface{}) (*LibraryMessageListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryMessageListType added in v0.1.0

func NewLibraryMessageListType() *LibraryMessageListType

Generates a new object as a pointer to a struct

func (*LibraryMessageListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LibraryMessageListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryMessageListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryMessageListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LibraryMessageListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LibraryMessageListType) Len

func (t *LibraryMessageListType) Len() int

Length of the list.

func (*LibraryMessageListType) ToSlice added in v0.1.0

Convert list object to slice

type LibraryMessageType

type LibraryMessageType struct {
	// contains filtered or unexported fields
}

func LibraryMessageTypePointer

func LibraryMessageTypePointer(value interface{}) (*LibraryMessageType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryMessageType added in v0.1.0

func NewLibraryMessageType() *LibraryMessageType

Generates a new object as a pointer to a struct

func (*LibraryMessageType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryMessageType) Priority

func (s *LibraryMessageType) Priority() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryMessageType) PriorityCodeset

func (s *LibraryMessageType) PriorityCodeset() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryMessageType) PriorityCodeset_IsNil

func (s *LibraryMessageType) PriorityCodeset_IsNil() bool

Returns whether the element value for PriorityCodeset is nil in the container LibraryMessageType.

func (*LibraryMessageType) Priority_IsNil

func (s *LibraryMessageType) Priority_IsNil() bool

Returns whether the element value for Priority is nil in the container LibraryMessageType.

func (*LibraryMessageType) Sent

func (s *LibraryMessageType) Sent() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryMessageType) Sent_IsNil

func (s *LibraryMessageType) Sent_IsNil() bool

Returns whether the element value for Sent is nil in the container LibraryMessageType.

func (*LibraryMessageType) SetProperties

func (n *LibraryMessageType) SetProperties(props ...Prop) *LibraryMessageType

Set a sequence of properties

func (*LibraryMessageType) SetProperty

func (n *LibraryMessageType) SetProperty(key string, value interface{}) *LibraryMessageType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryMessageType) Text

func (s *LibraryMessageType) Text() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryMessageType) Text_IsNil

func (s *LibraryMessageType) Text_IsNil() bool

Returns whether the element value for Text is nil in the container LibraryMessageType.

func (*LibraryMessageType) Unset

Set the value of a property to nil

type LibraryPatronStatus

type LibraryPatronStatus struct {
	// contains filtered or unexported fields
}

func LibraryPatronStatusPointer

func LibraryPatronStatusPointer(value interface{}) (*LibraryPatronStatus, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func LibraryPatronStatusSlice

func LibraryPatronStatusSlice() []*LibraryPatronStatus

Create a slice of pointers to the object type

func NewLibraryPatronStatus added in v0.1.0

func NewLibraryPatronStatus() *LibraryPatronStatus

Generates a new object as a pointer to a struct

func (*LibraryPatronStatus) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryPatronStatus) ElectronicIdList

func (s *LibraryPatronStatus) ElectronicIdList() *ElectronicIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) ElectronicIdList_IsNil

func (s *LibraryPatronStatus) ElectronicIdList_IsNil() bool

Returns whether the element value for ElectronicIdList is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) FineAmount

func (s *LibraryPatronStatus) FineAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) FineAmount_IsNil

func (s *LibraryPatronStatus) FineAmount_IsNil() bool

Returns whether the element value for FineAmount is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) LibraryType

func (s *LibraryPatronStatus) LibraryType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) LibraryType_IsNil

func (s *LibraryPatronStatus) LibraryType_IsNil() bool

Returns whether the element value for LibraryType is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) LocalCodeList

func (s *LibraryPatronStatus) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) LocalCodeList_IsNil

func (s *LibraryPatronStatus) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) MessageList

func (s *LibraryPatronStatus) MessageList() *LibraryMessageListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) MessageList_IsNil

func (s *LibraryPatronStatus) MessageList_IsNil() bool

Returns whether the element value for MessageList is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) NumberOfCheckouts

func (s *LibraryPatronStatus) NumberOfCheckouts() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) NumberOfCheckouts_IsNil

func (s *LibraryPatronStatus) NumberOfCheckouts_IsNil() bool

Returns whether the element value for NumberOfCheckouts is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) NumberOfFines

func (s *LibraryPatronStatus) NumberOfFines() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) NumberOfFines_IsNil

func (s *LibraryPatronStatus) NumberOfFines_IsNil() bool

Returns whether the element value for NumberOfFines is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) NumberOfHoldItems

func (s *LibraryPatronStatus) NumberOfHoldItems() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) NumberOfHoldItems_IsNil

func (s *LibraryPatronStatus) NumberOfHoldItems_IsNil() bool

Returns whether the element value for NumberOfHoldItems is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) NumberOfOverdues

func (s *LibraryPatronStatus) NumberOfOverdues() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) NumberOfOverdues_IsNil

func (s *LibraryPatronStatus) NumberOfOverdues_IsNil() bool

Returns whether the element value for NumberOfOverdues is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) NumberOfRefunds

func (s *LibraryPatronStatus) NumberOfRefunds() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) NumberOfRefunds_IsNil

func (s *LibraryPatronStatus) NumberOfRefunds_IsNil() bool

Returns whether the element value for NumberOfRefunds is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) PatronLocalId

func (s *LibraryPatronStatus) PatronLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) PatronLocalId_IsNil

func (s *LibraryPatronStatus) PatronLocalId_IsNil() bool

Returns whether the element value for PatronLocalId is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) PatronName

func (s *LibraryPatronStatus) PatronName() *NameOfRecordType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) PatronName_IsNil

func (s *LibraryPatronStatus) PatronName_IsNil() bool

Returns whether the element value for PatronName is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) PatronRefId

func (s *LibraryPatronStatus) PatronRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) PatronRefId_IsNil

func (s *LibraryPatronStatus) PatronRefId_IsNil() bool

Returns whether the element value for PatronRefId is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) PatronRefObject

func (s *LibraryPatronStatus) PatronRefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) PatronRefObject_IsNil

func (s *LibraryPatronStatus) PatronRefObject_IsNil() bool

Returns whether the element value for PatronRefObject is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) RefId

func (s *LibraryPatronStatus) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) RefId_IsNil

func (s *LibraryPatronStatus) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) RefundAmount

func (s *LibraryPatronStatus) RefundAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) RefundAmount_IsNil

func (s *LibraryPatronStatus) RefundAmount_IsNil() bool

Returns whether the element value for RefundAmount is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) SIF_ExtendedElements

func (s *LibraryPatronStatus) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) SIF_ExtendedElements_IsNil

func (s *LibraryPatronStatus) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) SIF_Metadata

func (s *LibraryPatronStatus) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) SIF_Metadata_IsNil

func (s *LibraryPatronStatus) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) SetProperties

func (n *LibraryPatronStatus) SetProperties(props ...Prop) *LibraryPatronStatus

Set a sequence of properties

func (*LibraryPatronStatus) SetProperty

func (n *LibraryPatronStatus) SetProperty(key string, value interface{}) *LibraryPatronStatus

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryPatronStatus) TransactionList

func (s *LibraryPatronStatus) TransactionList() *LibraryTransactionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryPatronStatus) TransactionList_IsNil

func (s *LibraryPatronStatus) TransactionList_IsNil() bool

Returns whether the element value for TransactionList is nil in the container LibraryPatronStatus.

func (*LibraryPatronStatus) Unset

Set the value of a property to nil

type LibraryPatronStatuss

type LibraryPatronStatuss struct {
	// contains filtered or unexported fields
}

func LibraryPatronStatussPointer added in v0.1.0

func LibraryPatronStatussPointer(value interface{}) (*LibraryPatronStatuss, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryPatronStatuss added in v0.1.0

func NewLibraryPatronStatuss() *LibraryPatronStatuss

Generates a new object as a pointer to a struct

func (*LibraryPatronStatuss) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LibraryPatronStatuss) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryPatronStatuss) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryPatronStatuss) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*LibraryPatronStatuss) Last added in v0.1.0

func (t *LibraryPatronStatuss) Last() *librarypatronstatus

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LibraryPatronStatuss) Len added in v0.1.0

func (t *LibraryPatronStatuss) Len() int

Length of the list.

func (*LibraryPatronStatuss) ToSlice added in v0.1.0

func (t *LibraryPatronStatuss) ToSlice() []*LibraryPatronStatus

Convert list object to slice

type LibraryTransactionListType

type LibraryTransactionListType struct {
	// contains filtered or unexported fields
}

func LibraryTransactionListTypePointer

func LibraryTransactionListTypePointer(value interface{}) (*LibraryTransactionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryTransactionListType added in v0.1.0

func NewLibraryTransactionListType() *LibraryTransactionListType

Generates a new object as a pointer to a struct

func (*LibraryTransactionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LibraryTransactionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryTransactionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryTransactionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LibraryTransactionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LibraryTransactionListType) Len

Length of the list.

func (*LibraryTransactionListType) ToSlice added in v0.1.0

Convert list object to slice

type LibraryTransactionType

type LibraryTransactionType struct {
	// contains filtered or unexported fields
}

func LibraryTransactionTypePointer

func LibraryTransactionTypePointer(value interface{}) (*LibraryTransactionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLibraryTransactionType added in v0.1.0

func NewLibraryTransactionType() *LibraryTransactionType

Generates a new object as a pointer to a struct

func (*LibraryTransactionType) CheckoutInfo

func (s *LibraryTransactionType) CheckoutInfo() *CheckoutInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryTransactionType) CheckoutInfo_IsNil

func (s *LibraryTransactionType) CheckoutInfo_IsNil() bool

Returns whether the element value for CheckoutInfo is nil in the container LibraryTransactionType.

func (*LibraryTransactionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LibraryTransactionType) FineInfoList

func (s *LibraryTransactionType) FineInfoList() *FineInfoListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryTransactionType) FineInfoList_IsNil

func (s *LibraryTransactionType) FineInfoList_IsNil() bool

Returns whether the element value for FineInfoList is nil in the container LibraryTransactionType.

func (*LibraryTransactionType) HoldInfoList

func (s *LibraryTransactionType) HoldInfoList() *HoldInfoListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryTransactionType) HoldInfoList_IsNil

func (s *LibraryTransactionType) HoldInfoList_IsNil() bool

Returns whether the element value for HoldInfoList is nil in the container LibraryTransactionType.

func (*LibraryTransactionType) ItemInfo

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LibraryTransactionType) ItemInfo_IsNil

func (s *LibraryTransactionType) ItemInfo_IsNil() bool

Returns whether the element value for ItemInfo is nil in the container LibraryTransactionType.

func (*LibraryTransactionType) SetProperties

func (n *LibraryTransactionType) SetProperties(props ...Prop) *LibraryTransactionType

Set a sequence of properties

func (*LibraryTransactionType) SetProperty

func (n *LibraryTransactionType) SetProperty(key string, value interface{}) *LibraryTransactionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LibraryTransactionType) Unset

Set the value of a property to nil

type LifeCycleCreatorType

type LifeCycleCreatorType struct {
	// contains filtered or unexported fields
}

func LifeCycleCreatorTypePointer

func LifeCycleCreatorTypePointer(value interface{}) (*LifeCycleCreatorType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLifeCycleCreatorType added in v0.1.0

func NewLifeCycleCreatorType() *LifeCycleCreatorType

Generates a new object as a pointer to a struct

func (*LifeCycleCreatorType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LifeCycleCreatorType) ID

func (s *LifeCycleCreatorType) ID() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LifeCycleCreatorType) ID_IsNil

func (s *LifeCycleCreatorType) ID_IsNil() bool

Returns whether the element value for ID is nil in the container LifeCycleCreatorType.

func (*LifeCycleCreatorType) Name

func (s *LifeCycleCreatorType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LifeCycleCreatorType) Name_IsNil

func (s *LifeCycleCreatorType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container LifeCycleCreatorType.

func (*LifeCycleCreatorType) SetProperties

func (n *LifeCycleCreatorType) SetProperties(props ...Prop) *LifeCycleCreatorType

Set a sequence of properties

func (*LifeCycleCreatorType) SetProperty

func (n *LifeCycleCreatorType) SetProperty(key string, value interface{}) *LifeCycleCreatorType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LifeCycleCreatorType) Unset

Set the value of a property to nil

type LifeCycleType

type LifeCycleType struct {
	// contains filtered or unexported fields
}

func LifeCycleTypePointer

func LifeCycleTypePointer(value interface{}) (*LifeCycleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLifeCycleType added in v0.1.0

func NewLifeCycleType() *LifeCycleType

Generates a new object as a pointer to a struct

func (*LifeCycleType) Clone

func (t *LifeCycleType) Clone() *LifeCycleType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LifeCycleType) Created

func (s *LifeCycleType) Created() *CreatedType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LifeCycleType) Created_IsNil

func (s *LifeCycleType) Created_IsNil() bool

Returns whether the element value for Created is nil in the container LifeCycleType.

func (*LifeCycleType) ModificationHistory

func (s *LifeCycleType) ModificationHistory() *ModifiedListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LifeCycleType) ModificationHistory_IsNil

func (s *LifeCycleType) ModificationHistory_IsNil() bool

Returns whether the element value for ModificationHistory is nil in the container LifeCycleType.

func (*LifeCycleType) SetProperties

func (n *LifeCycleType) SetProperties(props ...Prop) *LifeCycleType

Set a sequence of properties

func (*LifeCycleType) SetProperty

func (n *LifeCycleType) SetProperty(key string, value interface{}) *LifeCycleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LifeCycleType) TimeElements

func (s *LifeCycleType) TimeElements() *TimeElementListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LifeCycleType) TimeElements_IsNil

func (s *LifeCycleType) TimeElements_IsNil() bool

Returns whether the element value for TimeElements is nil in the container LifeCycleType.

func (*LifeCycleType) Unset

func (n *LifeCycleType) Unset(key string) *LifeCycleType

Set the value of a property to nil

type LocalCodeListType

type LocalCodeListType struct {
	// contains filtered or unexported fields
}

func LocalCodeListTypePointer

func LocalCodeListTypePointer(value interface{}) (*LocalCodeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLocalCodeListType added in v0.1.0

func NewLocalCodeListType() *LocalCodeListType

Generates a new object as a pointer to a struct

func (*LocalCodeListType) AddNew

func (t *LocalCodeListType) AddNew() *LocalCodeListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*LocalCodeListType) Append

func (t *LocalCodeListType) Append(values ...LocalCodeType) *LocalCodeListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LocalCodeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LocalCodeListType) Index

func (t *LocalCodeListType) Index(n int) *LocalCodeType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*LocalCodeListType) Last

func (t *LocalCodeListType) Last() *LocalCodeType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*LocalCodeListType) Len

func (t *LocalCodeListType) Len() int

Length of the list.

func (*LocalCodeListType) ToSlice added in v0.1.0

func (t *LocalCodeListType) ToSlice() []*LocalCodeType

Convert list object to slice

type LocalCodeType

type LocalCodeType struct {
	// contains filtered or unexported fields
}

func LocalCodeTypePointer

func LocalCodeTypePointer(value interface{}) (*LocalCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLocalCodeType added in v0.1.0

func NewLocalCodeType() *LocalCodeType

Generates a new object as a pointer to a struct

func (*LocalCodeType) Clone

func (t *LocalCodeType) Clone() *LocalCodeType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LocalCodeType) Description

func (s *LocalCodeType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocalCodeType) Description_IsNil

func (s *LocalCodeType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container LocalCodeType.

func (*LocalCodeType) Element

func (s *LocalCodeType) Element() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocalCodeType) Element_IsNil

func (s *LocalCodeType) Element_IsNil() bool

Returns whether the element value for Element is nil in the container LocalCodeType.

func (*LocalCodeType) ListIndex

func (s *LocalCodeType) ListIndex() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocalCodeType) ListIndex_IsNil

func (s *LocalCodeType) ListIndex_IsNil() bool

Returns whether the element value for ListIndex is nil in the container LocalCodeType.

func (*LocalCodeType) LocalisedCode

func (s *LocalCodeType) LocalisedCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocalCodeType) LocalisedCode_IsNil

func (s *LocalCodeType) LocalisedCode_IsNil() bool

Returns whether the element value for LocalisedCode is nil in the container LocalCodeType.

func (*LocalCodeType) SetProperties

func (n *LocalCodeType) SetProperties(props ...Prop) *LocalCodeType

Set a sequence of properties

func (*LocalCodeType) SetProperty

func (n *LocalCodeType) SetProperty(key string, value interface{}) *LocalCodeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LocalCodeType) Unset

func (n *LocalCodeType) Unset(key string) *LocalCodeType

Set the value of a property to nil

type LocalIdType

type LocalIdType string

func LocalIdTypePointer

func LocalIdTypePointer(value interface{}) (*LocalIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches LocalIdType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*LocalIdType) String

func (t *LocalIdType) String() string

Return string value

type LocationOfInstructionType

type LocationOfInstructionType struct {
	// contains filtered or unexported fields
}

func LocationOfInstructionTypePointer

func LocationOfInstructionTypePointer(value interface{}) (*LocationOfInstructionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLocationOfInstructionType added in v0.1.0

func NewLocationOfInstructionType() *LocationOfInstructionType

Generates a new object as a pointer to a struct

func (*LocationOfInstructionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LocationOfInstructionType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationOfInstructionType) Code_IsNil

func (s *LocationOfInstructionType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container LocationOfInstructionType.

func (*LocationOfInstructionType) OtherCodeList

func (s *LocationOfInstructionType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationOfInstructionType) OtherCodeList_IsNil

func (s *LocationOfInstructionType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container LocationOfInstructionType.

func (*LocationOfInstructionType) SetProperties

func (n *LocationOfInstructionType) SetProperties(props ...Prop) *LocationOfInstructionType

Set a sequence of properties

func (*LocationOfInstructionType) SetProperty

func (n *LocationOfInstructionType) SetProperty(key string, value interface{}) *LocationOfInstructionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LocationOfInstructionType) Unset

Set the value of a property to nil

type LocationType

type LocationType struct {
	// contains filtered or unexported fields
}

func LocationTypePointer

func LocationTypePointer(value interface{}) (*LocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLocationType added in v0.1.0

func NewLocationType() *LocationType

Generates a new object as a pointer to a struct

func (*LocationType) Clone

func (t *LocationType) Clone() *LocationType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LocationType) LocationName

func (s *LocationType) LocationName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationType) LocationName_IsNil

func (s *LocationType) LocationName_IsNil() bool

Returns whether the element value for LocationName is nil in the container LocationType.

func (*LocationType) LocationRefId

func (s *LocationType) LocationRefId() *LocationType_LocationRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationType) LocationRefId_IsNil

func (s *LocationType) LocationRefId_IsNil() bool

Returns whether the element value for LocationRefId is nil in the container LocationType.

func (*LocationType) SetProperties

func (n *LocationType) SetProperties(props ...Prop) *LocationType

Set a sequence of properties

func (*LocationType) SetProperty

func (n *LocationType) SetProperty(key string, value interface{}) *LocationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LocationType) Type

func (s *LocationType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationType) Type_IsNil

func (s *LocationType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container LocationType.

func (*LocationType) Unset

func (n *LocationType) Unset(key string) *LocationType

Set the value of a property to nil

type LocationType_LocationRefId

type LocationType_LocationRefId struct {
	// contains filtered or unexported fields
}

func LocationType_LocationRefIdPointer

func LocationType_LocationRefIdPointer(value interface{}) (*LocationType_LocationRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewLocationType_LocationRefId added in v0.1.0

func NewLocationType_LocationRefId() *LocationType_LocationRefId

Generates a new object as a pointer to a struct

func (*LocationType_LocationRefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*LocationType_LocationRefId) SIF_RefObject

func (s *LocationType_LocationRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationType_LocationRefId) SIF_RefObject_IsNil

func (s *LocationType_LocationRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container LocationType_LocationRefId.

func (*LocationType_LocationRefId) SetProperties

func (n *LocationType_LocationRefId) SetProperties(props ...Prop) *LocationType_LocationRefId

Set a sequence of properties

func (*LocationType_LocationRefId) SetProperty

func (n *LocationType_LocationRefId) SetProperty(key string, value interface{}) *LocationType_LocationRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*LocationType_LocationRefId) Unset

Set the value of a property to nil

func (*LocationType_LocationRefId) Value

func (s *LocationType_LocationRefId) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*LocationType_LocationRefId) Value_IsNil

func (s *LocationType_LocationRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container LocationType_LocationRefId.

type MapReferenceType

type MapReferenceType struct {
	// contains filtered or unexported fields
}

func MapReferenceTypePointer

func MapReferenceTypePointer(value interface{}) (*MapReferenceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMapReferenceType added in v0.1.0

func NewMapReferenceType() *MapReferenceType

Generates a new object as a pointer to a struct

func (*MapReferenceType) Clone

func (t *MapReferenceType) Clone() *MapReferenceType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MapReferenceType) MapNumber

func (s *MapReferenceType) MapNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MapReferenceType) MapNumber_IsNil

func (s *MapReferenceType) MapNumber_IsNil() bool

Returns whether the element value for MapNumber is nil in the container MapReferenceType.

func (*MapReferenceType) SetProperties

func (n *MapReferenceType) SetProperties(props ...Prop) *MapReferenceType

Set a sequence of properties

func (*MapReferenceType) SetProperty

func (n *MapReferenceType) SetProperty(key string, value interface{}) *MapReferenceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MapReferenceType) Type

func (s *MapReferenceType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MapReferenceType) Type_IsNil

func (s *MapReferenceType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container MapReferenceType.

func (*MapReferenceType) Unset

func (n *MapReferenceType) Unset(key string) *MapReferenceType

Set the value of a property to nil

func (*MapReferenceType) XCoordinate

func (s *MapReferenceType) XCoordinate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MapReferenceType) XCoordinate_IsNil

func (s *MapReferenceType) XCoordinate_IsNil() bool

Returns whether the element value for XCoordinate is nil in the container MapReferenceType.

func (*MapReferenceType) YCoordinate

func (s *MapReferenceType) YCoordinate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MapReferenceType) YCoordinate_IsNil

func (s *MapReferenceType) YCoordinate_IsNil() bool

Returns whether the element value for YCoordinate is nil in the container MapReferenceType.

type MarkValueInfo

type MarkValueInfo struct {
	// contains filtered or unexported fields
}

func MarkValueInfoPointer

func MarkValueInfoPointer(value interface{}) (*MarkValueInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func MarkValueInfoSlice

func MarkValueInfoSlice() []*MarkValueInfo

Create a slice of pointers to the object type

func NewMarkValueInfo added in v0.1.0

func NewMarkValueInfo() *MarkValueInfo

Generates a new object as a pointer to a struct

func (*MarkValueInfo) Clone

func (t *MarkValueInfo) Clone() *MarkValueInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MarkValueInfo) LocalCodeList

func (s *MarkValueInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) LocalCodeList_IsNil

func (s *MarkValueInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container MarkValueInfo.

func (*MarkValueInfo) Name

func (s *MarkValueInfo) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) Name_IsNil

func (s *MarkValueInfo) Name_IsNil() bool

Returns whether the element value for Name is nil in the container MarkValueInfo.

func (*MarkValueInfo) Narrative

func (s *MarkValueInfo) Narrative() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NarrativeMaximumSize

func (s *MarkValueInfo) NarrativeMaximumSize() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NarrativeMaximumSize_IsNil

func (s *MarkValueInfo) NarrativeMaximumSize_IsNil() bool

Returns whether the element value for NarrativeMaximumSize is nil in the container MarkValueInfo.

func (*MarkValueInfo) Narrative_IsNil

func (s *MarkValueInfo) Narrative_IsNil() bool

Returns whether the element value for Narrative is nil in the container MarkValueInfo.

func (*MarkValueInfo) NumericHigh

func (s *MarkValueInfo) NumericHigh() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NumericHigh_IsNil

func (s *MarkValueInfo) NumericHigh_IsNil() bool

Returns whether the element value for NumericHigh is nil in the container MarkValueInfo.

func (*MarkValueInfo) NumericLow

func (s *MarkValueInfo) NumericLow() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NumericLow_IsNil

func (s *MarkValueInfo) NumericLow_IsNil() bool

Returns whether the element value for NumericLow is nil in the container MarkValueInfo.

func (*MarkValueInfo) NumericPassingGrade

func (s *MarkValueInfo) NumericPassingGrade() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NumericPassingGrade_IsNil

func (s *MarkValueInfo) NumericPassingGrade_IsNil() bool

Returns whether the element value for NumericPassingGrade is nil in the container MarkValueInfo.

func (*MarkValueInfo) NumericPrecision

func (s *MarkValueInfo) NumericPrecision() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NumericPrecision_IsNil

func (s *MarkValueInfo) NumericPrecision_IsNil() bool

Returns whether the element value for NumericPrecision is nil in the container MarkValueInfo.

func (*MarkValueInfo) NumericScale

func (s *MarkValueInfo) NumericScale() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) NumericScale_IsNil

func (s *MarkValueInfo) NumericScale_IsNil() bool

Returns whether the element value for NumericScale is nil in the container MarkValueInfo.

func (*MarkValueInfo) PercentageMaximum

func (s *MarkValueInfo) PercentageMaximum() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) PercentageMaximum_IsNil

func (s *MarkValueInfo) PercentageMaximum_IsNil() bool

Returns whether the element value for PercentageMaximum is nil in the container MarkValueInfo.

func (*MarkValueInfo) PercentageMinimum

func (s *MarkValueInfo) PercentageMinimum() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) PercentageMinimum_IsNil

func (s *MarkValueInfo) PercentageMinimum_IsNil() bool

Returns whether the element value for PercentageMinimum is nil in the container MarkValueInfo.

func (*MarkValueInfo) PercentagePassingGrade

func (s *MarkValueInfo) PercentagePassingGrade() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) PercentagePassingGrade_IsNil

func (s *MarkValueInfo) PercentagePassingGrade_IsNil() bool

Returns whether the element value for PercentagePassingGrade is nil in the container MarkValueInfo.

func (*MarkValueInfo) RefId

func (s *MarkValueInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) RefId_IsNil

func (s *MarkValueInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container MarkValueInfo.

func (*MarkValueInfo) SIF_ExtendedElements

func (s *MarkValueInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) SIF_ExtendedElements_IsNil

func (s *MarkValueInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container MarkValueInfo.

func (*MarkValueInfo) SIF_Metadata

func (s *MarkValueInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) SIF_Metadata_IsNil

func (s *MarkValueInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container MarkValueInfo.

func (*MarkValueInfo) SchoolInfoRefId

func (s *MarkValueInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) SchoolInfoRefId_IsNil

func (s *MarkValueInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container MarkValueInfo.

func (*MarkValueInfo) SetProperties

func (n *MarkValueInfo) SetProperties(props ...Prop) *MarkValueInfo

Set a sequence of properties

func (*MarkValueInfo) SetProperty

func (n *MarkValueInfo) SetProperty(key string, value interface{}) *MarkValueInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MarkValueInfo) Unset

func (n *MarkValueInfo) Unset(key string) *MarkValueInfo

Set the value of a property to nil

func (*MarkValueInfo) ValidLetterMarkList

func (s *MarkValueInfo) ValidLetterMarkList() *ValidLetterMarkListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) ValidLetterMarkList_IsNil

func (s *MarkValueInfo) ValidLetterMarkList_IsNil() bool

Returns whether the element value for ValidLetterMarkList is nil in the container MarkValueInfo.

func (*MarkValueInfo) YearLevels

func (s *MarkValueInfo) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkValueInfo) YearLevels_IsNil

func (s *MarkValueInfo) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container MarkValueInfo.

type MarkValueInfos

type MarkValueInfos struct {
	// contains filtered or unexported fields
}

func MarkValueInfosPointer added in v0.1.0

func MarkValueInfosPointer(value interface{}) (*MarkValueInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMarkValueInfos added in v0.1.0

func NewMarkValueInfos() *MarkValueInfos

Generates a new object as a pointer to a struct

func (*MarkValueInfos) AddNew added in v0.1.0

func (t *MarkValueInfos) AddNew() *MarkValueInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*MarkValueInfos) Append added in v0.1.0

func (t *MarkValueInfos) Append(values ...*MarkValueInfo) *MarkValueInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MarkValueInfos) Clone added in v0.1.0

func (t *MarkValueInfos) Clone() *MarkValueInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MarkValueInfos) Index added in v0.1.0

func (t *MarkValueInfos) Index(n int) *MarkValueInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*MarkValueInfos) Last added in v0.1.0

func (t *MarkValueInfos) Last() *markvalueinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*MarkValueInfos) Len added in v0.1.0

func (t *MarkValueInfos) Len() int

Length of the list.

func (*MarkValueInfos) ToSlice added in v0.1.0

func (t *MarkValueInfos) ToSlice() []*MarkValueInfo

Convert list object to slice

type MarkerType

type MarkerType struct {
	// contains filtered or unexported fields
}

func MarkerTypePointer

func MarkerTypePointer(value interface{}) (*MarkerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMarkerType added in v0.1.0

func NewMarkerType() *MarkerType

Generates a new object as a pointer to a struct

func (*MarkerType) Clone

func (t *MarkerType) Clone() *MarkerType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MarkerType) Role

func (s *MarkerType) Role() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkerType) Role_IsNil

func (s *MarkerType) Role_IsNil() bool

Returns whether the element value for Role is nil in the container MarkerType.

func (*MarkerType) SetProperties

func (n *MarkerType) SetProperties(props ...Prop) *MarkerType

Set a sequence of properties

func (*MarkerType) SetProperty

func (n *MarkerType) SetProperty(key string, value interface{}) *MarkerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MarkerType) StaffPersonalRefId

func (s *MarkerType) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MarkerType) StaffPersonalRefId_IsNil

func (s *MarkerType) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container MarkerType.

func (*MarkerType) Unset

func (n *MarkerType) Unset(key string) *MarkerType

Set the value of a property to nil

type MediaTypesType

type MediaTypesType struct {
	// contains filtered or unexported fields
}

func MediaTypesTypePointer

func MediaTypesTypePointer(value interface{}) (*MediaTypesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMediaTypesType added in v0.1.0

func NewMediaTypesType() *MediaTypesType

Generates a new object as a pointer to a struct

func (*MediaTypesType) AddNew

func (t *MediaTypesType) AddNew() *MediaTypesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*MediaTypesType) Append

func (t *MediaTypesType) Append(values ...string) *MediaTypesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MediaTypesType) AppendString

func (t *MediaTypesType) AppendString(value string) *MediaTypesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*MediaTypesType) Clone

func (t *MediaTypesType) Clone() *MediaTypesType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MediaTypesType) Index

func (t *MediaTypesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*MediaTypesType) Last

func (t *MediaTypesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*MediaTypesType) Len

func (t *MediaTypesType) Len() int

Length of the list.

func (*MediaTypesType) ToSlice added in v0.1.0

func (t *MediaTypesType) ToSlice() []*string

Convert list object to slice

type MedicalAlertMessageType

type MedicalAlertMessageType struct {
	// contains filtered or unexported fields
}

func MedicalAlertMessageTypePointer

func MedicalAlertMessageTypePointer(value interface{}) (*MedicalAlertMessageType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMedicalAlertMessageType added in v0.1.0

func NewMedicalAlertMessageType() *MedicalAlertMessageType

Generates a new object as a pointer to a struct

func (*MedicalAlertMessageType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MedicalAlertMessageType) SetProperties

func (n *MedicalAlertMessageType) SetProperties(props ...Prop) *MedicalAlertMessageType

Set a sequence of properties

func (*MedicalAlertMessageType) SetProperty

func (n *MedicalAlertMessageType) SetProperty(key string, value interface{}) *MedicalAlertMessageType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MedicalAlertMessageType) Severity

func (s *MedicalAlertMessageType) Severity() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicalAlertMessageType) Severity_IsNil

func (s *MedicalAlertMessageType) Severity_IsNil() bool

Returns whether the element value for Severity is nil in the container MedicalAlertMessageType.

func (*MedicalAlertMessageType) Unset

Set the value of a property to nil

func (*MedicalAlertMessageType) Value

func (s *MedicalAlertMessageType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicalAlertMessageType) Value_IsNil

func (s *MedicalAlertMessageType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container MedicalAlertMessageType.

type MedicalAlertMessagesType

type MedicalAlertMessagesType struct {
	// contains filtered or unexported fields
}

func MedicalAlertMessagesTypePointer

func MedicalAlertMessagesTypePointer(value interface{}) (*MedicalAlertMessagesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMedicalAlertMessagesType added in v0.1.0

func NewMedicalAlertMessagesType() *MedicalAlertMessagesType

Generates a new object as a pointer to a struct

func (*MedicalAlertMessagesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*MedicalAlertMessagesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MedicalAlertMessagesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MedicalAlertMessagesType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*MedicalAlertMessagesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*MedicalAlertMessagesType) Len

func (t *MedicalAlertMessagesType) Len() int

Length of the list.

func (*MedicalAlertMessagesType) ToSlice added in v0.1.0

Convert list object to slice

type MedicationListType

type MedicationListType struct {
	// contains filtered or unexported fields
}

func MedicationListTypePointer

func MedicationListTypePointer(value interface{}) (*MedicationListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMedicationListType added in v0.1.0

func NewMedicationListType() *MedicationListType

Generates a new object as a pointer to a struct

func (*MedicationListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*MedicationListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MedicationListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MedicationListType) Index

func (t *MedicationListType) Index(n int) *MedicationType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*MedicationListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*MedicationListType) Len

func (t *MedicationListType) Len() int

Length of the list.

func (*MedicationListType) ToSlice added in v0.1.0

func (t *MedicationListType) ToSlice() []*MedicationType

Convert list object to slice

type MedicationType

type MedicationType struct {
	// contains filtered or unexported fields
}

func MedicationTypePointer

func MedicationTypePointer(value interface{}) (*MedicationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMedicationType added in v0.1.0

func NewMedicationType() *MedicationType

Generates a new object as a pointer to a struct

func (*MedicationType) AdministrationInformation

func (s *MedicationType) AdministrationInformation() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicationType) AdministrationInformation_IsNil

func (s *MedicationType) AdministrationInformation_IsNil() bool

Returns whether the element value for AdministrationInformation is nil in the container MedicationType.

func (*MedicationType) Clone

func (t *MedicationType) Clone() *MedicationType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MedicationType) Dosage

func (s *MedicationType) Dosage() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicationType) Dosage_IsNil

func (s *MedicationType) Dosage_IsNil() bool

Returns whether the element value for Dosage is nil in the container MedicationType.

func (*MedicationType) Frequency

func (s *MedicationType) Frequency() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicationType) Frequency_IsNil

func (s *MedicationType) Frequency_IsNil() bool

Returns whether the element value for Frequency is nil in the container MedicationType.

func (*MedicationType) MedicationName

func (s *MedicationType) MedicationName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicationType) MedicationName_IsNil

func (s *MedicationType) MedicationName_IsNil() bool

Returns whether the element value for MedicationName is nil in the container MedicationType.

func (*MedicationType) Method

func (s *MedicationType) Method() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MedicationType) Method_IsNil

func (s *MedicationType) Method_IsNil() bool

Returns whether the element value for Method is nil in the container MedicationType.

func (*MedicationType) SetProperties

func (n *MedicationType) SetProperties(props ...Prop) *MedicationType

Set a sequence of properties

func (*MedicationType) SetProperty

func (n *MedicationType) SetProperty(key string, value interface{}) *MedicationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MedicationType) Unset

func (n *MedicationType) Unset(key string) *MedicationType

Set the value of a property to nil

type MediumOfInstructionType

type MediumOfInstructionType struct {
	// contains filtered or unexported fields
}

func MediumOfInstructionTypePointer

func MediumOfInstructionTypePointer(value interface{}) (*MediumOfInstructionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMediumOfInstructionType added in v0.1.0

func NewMediumOfInstructionType() *MediumOfInstructionType

Generates a new object as a pointer to a struct

func (*MediumOfInstructionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MediumOfInstructionType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MediumOfInstructionType) Code_IsNil

func (s *MediumOfInstructionType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container MediumOfInstructionType.

func (*MediumOfInstructionType) OtherCodeList

func (s *MediumOfInstructionType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MediumOfInstructionType) OtherCodeList_IsNil

func (s *MediumOfInstructionType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container MediumOfInstructionType.

func (*MediumOfInstructionType) SetProperties

func (n *MediumOfInstructionType) SetProperties(props ...Prop) *MediumOfInstructionType

Set a sequence of properties

func (*MediumOfInstructionType) SetProperty

func (n *MediumOfInstructionType) SetProperty(key string, value interface{}) *MediumOfInstructionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MediumOfInstructionType) Unset

Set the value of a property to nil

type ModifiedListType

type ModifiedListType struct {
	// contains filtered or unexported fields
}

func ModifiedListTypePointer

func ModifiedListTypePointer(value interface{}) (*ModifiedListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewModifiedListType added in v0.1.0

func NewModifiedListType() *ModifiedListType

Generates a new object as a pointer to a struct

func (*ModifiedListType) AddNew

func (t *ModifiedListType) AddNew() *ModifiedListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ModifiedListType) Append

func (t *ModifiedListType) Append(values ...ModifiedType) *ModifiedListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ModifiedListType) Clone

func (t *ModifiedListType) Clone() *ModifiedListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ModifiedListType) Index

func (t *ModifiedListType) Index(n int) *ModifiedType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ModifiedListType) Last

func (t *ModifiedListType) Last() *ModifiedType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ModifiedListType) Len

func (t *ModifiedListType) Len() int

Length of the list.

func (*ModifiedListType) ToSlice added in v0.1.0

func (t *ModifiedListType) ToSlice() []*ModifiedType

Convert list object to slice

type ModifiedType

type ModifiedType struct {
	// contains filtered or unexported fields
}

func ModifiedTypePointer

func ModifiedTypePointer(value interface{}) (*ModifiedType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewModifiedType added in v0.1.0

func NewModifiedType() *ModifiedType

Generates a new object as a pointer to a struct

func (*ModifiedType) By

func (s *ModifiedType) By() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ModifiedType) By_IsNil

func (s *ModifiedType) By_IsNil() bool

Returns whether the element value for By is nil in the container ModifiedType.

func (*ModifiedType) Clone

func (t *ModifiedType) Clone() *ModifiedType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ModifiedType) DateTime

func (s *ModifiedType) DateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ModifiedType) DateTime_IsNil

func (s *ModifiedType) DateTime_IsNil() bool

Returns whether the element value for DateTime is nil in the container ModifiedType.

func (*ModifiedType) Description

func (s *ModifiedType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ModifiedType) Description_IsNil

func (s *ModifiedType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ModifiedType.

func (*ModifiedType) SetProperties

func (n *ModifiedType) SetProperties(props ...Prop) *ModifiedType

Set a sequence of properties

func (*ModifiedType) SetProperty

func (n *ModifiedType) SetProperty(key string, value interface{}) *ModifiedType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ModifiedType) Unset

func (n *ModifiedType) Unset(key string) *ModifiedType

Set the value of a property to nil

type MonetaryAmountType

type MonetaryAmountType struct {
	// contains filtered or unexported fields
}

func MonetaryAmountTypePointer

func MonetaryAmountTypePointer(value interface{}) (*MonetaryAmountType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewMonetaryAmountType added in v0.1.0

func NewMonetaryAmountType() *MonetaryAmountType

Generates a new object as a pointer to a struct

func (*MonetaryAmountType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*MonetaryAmountType) Currency

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MonetaryAmountType) Currency_IsNil

func (s *MonetaryAmountType) Currency_IsNil() bool

Returns whether the element value for Currency is nil in the container MonetaryAmountType.

func (*MonetaryAmountType) SetProperties

func (n *MonetaryAmountType) SetProperties(props ...Prop) *MonetaryAmountType

Set a sequence of properties

func (*MonetaryAmountType) SetProperty

func (n *MonetaryAmountType) SetProperty(key string, value interface{}) *MonetaryAmountType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*MonetaryAmountType) Unset

Set the value of a property to nil

func (*MonetaryAmountType) Value

func (s *MonetaryAmountType) Value() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*MonetaryAmountType) Value_IsNil

func (s *MonetaryAmountType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container MonetaryAmountType.

type NAPCodeFrame

type NAPCodeFrame struct {
	// contains filtered or unexported fields
}

func NAPCodeFramePointer

func NAPCodeFramePointer(value interface{}) (*NAPCodeFrame, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPCodeFrameSlice

func NAPCodeFrameSlice() []*NAPCodeFrame

Create a slice of pointers to the object type

func NewNAPCodeFrame added in v0.1.0

func NewNAPCodeFrame() *NAPCodeFrame

Generates a new object as a pointer to a struct

func (*NAPCodeFrame) Clone

func (t *NAPCodeFrame) Clone() *NAPCodeFrame

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPCodeFrame) LocalCodeList

func (s *NAPCodeFrame) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) LocalCodeList_IsNil

func (s *NAPCodeFrame) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) NAPTestRefId

func (s *NAPCodeFrame) NAPTestRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) NAPTestRefId_IsNil

func (s *NAPCodeFrame) NAPTestRefId_IsNil() bool

Returns whether the element value for NAPTestRefId is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) RefId

func (s *NAPCodeFrame) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) RefId_IsNil

func (s *NAPCodeFrame) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) SIF_ExtendedElements

func (s *NAPCodeFrame) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) SIF_ExtendedElements_IsNil

func (s *NAPCodeFrame) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) SIF_Metadata

func (s *NAPCodeFrame) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) SIF_Metadata_IsNil

func (s *NAPCodeFrame) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) SetProperties

func (n *NAPCodeFrame) SetProperties(props ...Prop) *NAPCodeFrame

Set a sequence of properties

func (*NAPCodeFrame) SetProperty

func (n *NAPCodeFrame) SetProperty(key string, value interface{}) *NAPCodeFrame

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPCodeFrame) TestContent

func (s *NAPCodeFrame) TestContent() *NAPTestContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) TestContent_IsNil

func (s *NAPCodeFrame) TestContent_IsNil() bool

Returns whether the element value for TestContent is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) TestletList

func (s *NAPCodeFrame) TestletList() *NAPCodeFrameTestletListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPCodeFrame) TestletList_IsNil

func (s *NAPCodeFrame) TestletList_IsNil() bool

Returns whether the element value for TestletList is nil in the container NAPCodeFrame.

func (*NAPCodeFrame) Unset

func (n *NAPCodeFrame) Unset(key string) *NAPCodeFrame

Set the value of a property to nil

type NAPCodeFrameTestletListType

type NAPCodeFrameTestletListType struct {
	// contains filtered or unexported fields
}

func NAPCodeFrameTestletListTypePointer

func NAPCodeFrameTestletListTypePointer(value interface{}) (*NAPCodeFrameTestletListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPCodeFrameTestletListType added in v0.1.0

func NewNAPCodeFrameTestletListType() *NAPCodeFrameTestletListType

Generates a new object as a pointer to a struct

func (*NAPCodeFrameTestletListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPCodeFrameTestletListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPCodeFrameTestletListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPCodeFrameTestletListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPCodeFrameTestletListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPCodeFrameTestletListType) Len

Length of the list.

func (*NAPCodeFrameTestletListType) ToSlice added in v0.1.0

Convert list object to slice

type NAPCodeFrames

type NAPCodeFrames struct {
	// contains filtered or unexported fields
}

func NAPCodeFramesPointer added in v0.1.0

func NAPCodeFramesPointer(value interface{}) (*NAPCodeFrames, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPCodeFrames added in v0.1.0

func NewNAPCodeFrames() *NAPCodeFrames

Generates a new object as a pointer to a struct

func (*NAPCodeFrames) AddNew added in v0.1.0

func (t *NAPCodeFrames) AddNew() *NAPCodeFrames

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPCodeFrames) Append added in v0.1.0

func (t *NAPCodeFrames) Append(values ...*NAPCodeFrame) *NAPCodeFrames

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPCodeFrames) Clone added in v0.1.0

func (t *NAPCodeFrames) Clone() *NAPCodeFrames

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPCodeFrames) Index added in v0.1.0

func (t *NAPCodeFrames) Index(n int) *NAPCodeFrame

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPCodeFrames) Last added in v0.1.0

func (t *NAPCodeFrames) Last() *napcodeframe

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPCodeFrames) Len added in v0.1.0

func (t *NAPCodeFrames) Len() int

Length of the list.

func (*NAPCodeFrames) ToSlice added in v0.1.0

func (t *NAPCodeFrames) ToSlice() []*NAPCodeFrame

Convert list object to slice

type NAPEventStudentLink struct {
	// contains filtered or unexported fields
}

func NAPEventStudentLinkPointer

func NAPEventStudentLinkPointer(value interface{}) (*NAPEventStudentLink, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPEventStudentLinkSlice

func NAPEventStudentLinkSlice() []*NAPEventStudentLink

Create a slice of pointers to the object type

func NewNAPEventStudentLink() *NAPEventStudentLink

Generates a new object as a pointer to a struct

func (*NAPEventStudentLink) Adjustment

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) Adjustment_IsNil

func (s *NAPEventStudentLink) Adjustment_IsNil() bool

Returns whether the element value for Adjustment is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPEventStudentLink) DOBRange

func (s *NAPEventStudentLink) DOBRange() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) DOBRange_IsNil

func (s *NAPEventStudentLink) DOBRange_IsNil() bool

Returns whether the element value for DOBRange is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) Date

func (s *NAPEventStudentLink) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) Date_IsNil

func (s *NAPEventStudentLink) Date_IsNil() bool

Returns whether the element value for Date is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) Device

func (s *NAPEventStudentLink) Device() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) Device_IsNil

func (s *NAPEventStudentLink) Device_IsNil() bool

Returns whether the element value for Device is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) ExemptionReason

func (s *NAPEventStudentLink) ExemptionReason() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) ExemptionReason_IsNil

func (s *NAPEventStudentLink) ExemptionReason_IsNil() bool

Returns whether the element value for ExemptionReason is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) LapsedTimeTest

func (s *NAPEventStudentLink) LapsedTimeTest() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) LapsedTimeTest_IsNil

func (s *NAPEventStudentLink) LapsedTimeTest_IsNil() bool

Returns whether the element value for LapsedTimeTest is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) LocalCodeList

func (s *NAPEventStudentLink) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) LocalCodeList_IsNil

func (s *NAPEventStudentLink) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) NAPJurisdiction

func (s *NAPEventStudentLink) NAPJurisdiction() *AUCodeSetsNAPJurisdictionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) NAPJurisdiction_IsNil

func (s *NAPEventStudentLink) NAPJurisdiction_IsNil() bool

Returns whether the element value for NAPJurisdiction is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) NAPTestLocalId

func (s *NAPEventStudentLink) NAPTestLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) NAPTestLocalId_IsNil

func (s *NAPEventStudentLink) NAPTestLocalId_IsNil() bool

Returns whether the element value for NAPTestLocalId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) NAPTestRefId

func (s *NAPEventStudentLink) NAPTestRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) NAPTestRefId_IsNil

func (s *NAPEventStudentLink) NAPTestRefId_IsNil() bool

Returns whether the element value for NAPTestRefId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) PSIOtherIdMatch

func (s *NAPEventStudentLink) PSIOtherIdMatch() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) PSIOtherIdMatch_IsNil

func (s *NAPEventStudentLink) PSIOtherIdMatch_IsNil() bool

Returns whether the element value for PSIOtherIdMatch is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) ParticipationCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) ParticipationCode_IsNil

func (s *NAPEventStudentLink) ParticipationCode_IsNil() bool

Returns whether the element value for ParticipationCode is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) ParticipationText

func (s *NAPEventStudentLink) ParticipationText() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) ParticipationText_IsNil

func (s *NAPEventStudentLink) ParticipationText_IsNil() bool

Returns whether the element value for ParticipationText is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) PersonalDetailsChanged

func (s *NAPEventStudentLink) PersonalDetailsChanged() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) PersonalDetailsChanged_IsNil

func (s *NAPEventStudentLink) PersonalDetailsChanged_IsNil() bool

Returns whether the element value for PersonalDetailsChanged is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) PlatformStudentIdentifier

func (s *NAPEventStudentLink) PlatformStudentIdentifier() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) PlatformStudentIdentifier_IsNil

func (s *NAPEventStudentLink) PlatformStudentIdentifier_IsNil() bool

Returns whether the element value for PlatformStudentIdentifier is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) PossibleDuplicate

func (s *NAPEventStudentLink) PossibleDuplicate() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) PossibleDuplicate_IsNil

func (s *NAPEventStudentLink) PossibleDuplicate_IsNil() bool

Returns whether the element value for PossibleDuplicate is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) RefId

func (s *NAPEventStudentLink) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) RefId_IsNil

func (s *NAPEventStudentLink) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) ReportingSchoolName

func (s *NAPEventStudentLink) ReportingSchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) ReportingSchoolName_IsNil

func (s *NAPEventStudentLink) ReportingSchoolName_IsNil() bool

Returns whether the element value for ReportingSchoolName is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SIF_ExtendedElements

func (s *NAPEventStudentLink) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SIF_ExtendedElements_IsNil

func (s *NAPEventStudentLink) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SIF_Metadata

func (s *NAPEventStudentLink) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SIF_Metadata_IsNil

func (s *NAPEventStudentLink) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SchoolACARAId

func (s *NAPEventStudentLink) SchoolACARAId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SchoolACARAId_IsNil

func (s *NAPEventStudentLink) SchoolACARAId_IsNil() bool

Returns whether the element value for SchoolACARAId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SchoolGeolocation

func (s *NAPEventStudentLink) SchoolGeolocation() *AUCodeSetsSchoolLocationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SchoolGeolocation_IsNil

func (s *NAPEventStudentLink) SchoolGeolocation_IsNil() bool

Returns whether the element value for SchoolGeolocation is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SchoolInfoRefId

func (s *NAPEventStudentLink) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SchoolInfoRefId_IsNil

func (s *NAPEventStudentLink) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SchoolSector

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) SchoolSector_IsNil

func (s *NAPEventStudentLink) SchoolSector_IsNil() bool

Returns whether the element value for SchoolSector is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) SetProperties

func (n *NAPEventStudentLink) SetProperties(props ...Prop) *NAPEventStudentLink

Set a sequence of properties

func (*NAPEventStudentLink) SetProperty

func (n *NAPEventStudentLink) SetProperty(key string, value interface{}) *NAPEventStudentLink

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPEventStudentLink) StartTime

func (s *NAPEventStudentLink) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) StartTime_IsNil

func (s *NAPEventStudentLink) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) StudentPersonalRefId

func (s *NAPEventStudentLink) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) StudentPersonalRefId_IsNil

func (s *NAPEventStudentLink) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) System

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) System_IsNil

func (s *NAPEventStudentLink) System_IsNil() bool

Returns whether the element value for System is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) TestDisruptionList

func (s *NAPEventStudentLink) TestDisruptionList() *TestDisruptionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPEventStudentLink) TestDisruptionList_IsNil

func (s *NAPEventStudentLink) TestDisruptionList_IsNil() bool

Returns whether the element value for TestDisruptionList is nil in the container NAPEventStudentLink.

func (*NAPEventStudentLink) Unset

Set the value of a property to nil

type NAPEventStudentLinks struct {
	// contains filtered or unexported fields
}

func NAPEventStudentLinksPointer added in v0.1.0

func NAPEventStudentLinksPointer(value interface{}) (*NAPEventStudentLinks, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPEventStudentLinks() *NAPEventStudentLinks

Generates a new object as a pointer to a struct

func (*NAPEventStudentLinks) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPEventStudentLinks) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPEventStudentLinks) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPEventStudentLinks) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPEventStudentLinks) Last added in v0.1.0

func (t *NAPEventStudentLinks) Last() *napeventstudentlink

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPEventStudentLinks) Len added in v0.1.0

func (t *NAPEventStudentLinks) Len() int

Length of the list.

func (*NAPEventStudentLinks) ToSlice added in v0.1.0

func (t *NAPEventStudentLinks) ToSlice() []*NAPEventStudentLink

Convert list object to slice

type NAPLANClassListType

type NAPLANClassListType struct {
	// contains filtered or unexported fields
}

func NAPLANClassListTypePointer

func NAPLANClassListTypePointer(value interface{}) (*NAPLANClassListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPLANClassListType added in v0.1.0

func NewNAPLANClassListType() *NAPLANClassListType

Generates a new object as a pointer to a struct

func (*NAPLANClassListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPLANClassListType) Append

func (t *NAPLANClassListType) Append(values ...string) *NAPLANClassListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPLANClassListType) AppendString

func (t *NAPLANClassListType) AppendString(value string) *NAPLANClassListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*NAPLANClassListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPLANClassListType) Index

func (t *NAPLANClassListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPLANClassListType) Last

func (t *NAPLANClassListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPLANClassListType) Len

func (t *NAPLANClassListType) Len() int

Length of the list.

func (*NAPLANClassListType) ToSlice added in v0.1.0

func (t *NAPLANClassListType) ToSlice() []*string

Convert list object to slice

type NAPLANScoreListType

type NAPLANScoreListType struct {
	// contains filtered or unexported fields
}

func NAPLANScoreListTypePointer

func NAPLANScoreListTypePointer(value interface{}) (*NAPLANScoreListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPLANScoreListType added in v0.1.0

func NewNAPLANScoreListType() *NAPLANScoreListType

Generates a new object as a pointer to a struct

func (*NAPLANScoreListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPLANScoreListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPLANScoreListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPLANScoreListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPLANScoreListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPLANScoreListType) Len

func (t *NAPLANScoreListType) Len() int

Length of the list.

func (*NAPLANScoreListType) ToSlice added in v0.1.0

func (t *NAPLANScoreListType) ToSlice() []*NAPLANScoreType

Convert list object to slice

type NAPLANScoreType

type NAPLANScoreType struct {
	// contains filtered or unexported fields
}

func NAPLANScoreTypePointer

func NAPLANScoreTypePointer(value interface{}) (*NAPLANScoreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPLANScoreType added in v0.1.0

func NewNAPLANScoreType() *NAPLANScoreType

Generates a new object as a pointer to a struct

func (*NAPLANScoreType) Clone

func (t *NAPLANScoreType) Clone() *NAPLANScoreType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPLANScoreType) Domain

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreType) DomainScore

func (s *NAPLANScoreType) DomainScore() *DomainScoreType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreType) DomainScore_IsNil

func (s *NAPLANScoreType) DomainScore_IsNil() bool

Returns whether the element value for DomainScore is nil in the container NAPLANScoreType.

func (*NAPLANScoreType) Domain_IsNil

func (s *NAPLANScoreType) Domain_IsNil() bool

Returns whether the element value for Domain is nil in the container NAPLANScoreType.

func (*NAPLANScoreType) ParticipationCode

func (s *NAPLANScoreType) ParticipationCode() *AUCodeSetsNAPParticipationCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreType) ParticipationCode_IsNil

func (s *NAPLANScoreType) ParticipationCode_IsNil() bool

Returns whether the element value for ParticipationCode is nil in the container NAPLANScoreType.

func (*NAPLANScoreType) SetProperties

func (n *NAPLANScoreType) SetProperties(props ...Prop) *NAPLANScoreType

Set a sequence of properties

func (*NAPLANScoreType) SetProperty

func (n *NAPLANScoreType) SetProperty(key string, value interface{}) *NAPLANScoreType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPLANScoreType) Unset

func (n *NAPLANScoreType) Unset(key string) *NAPLANScoreType

Set the value of a property to nil

type NAPLANScoreWithYearsListType

type NAPLANScoreWithYearsListType struct {
	// contains filtered or unexported fields
}

func NAPLANScoreWithYearsListTypePointer

func NAPLANScoreWithYearsListTypePointer(value interface{}) (*NAPLANScoreWithYearsListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPLANScoreWithYearsListType added in v0.1.0

func NewNAPLANScoreWithYearsListType() *NAPLANScoreWithYearsListType

Generates a new object as a pointer to a struct

func (*NAPLANScoreWithYearsListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPLANScoreWithYearsListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPLANScoreWithYearsListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPLANScoreWithYearsListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPLANScoreWithYearsListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPLANScoreWithYearsListType) Len

Length of the list.

func (*NAPLANScoreWithYearsListType) ToSlice added in v0.1.0

Convert list object to slice

type NAPLANScoreWithYearsType

type NAPLANScoreWithYearsType struct {
	// contains filtered or unexported fields
}

func NAPLANScoreWithYearsTypePointer

func NAPLANScoreWithYearsTypePointer(value interface{}) (*NAPLANScoreWithYearsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPLANScoreWithYearsType added in v0.1.0

func NewNAPLANScoreWithYearsType() *NAPLANScoreWithYearsType

Generates a new object as a pointer to a struct

func (*NAPLANScoreWithYearsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPLANScoreWithYearsType) Domain

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreWithYearsType) DomainScore

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreWithYearsType) DomainScore_IsNil

func (s *NAPLANScoreWithYearsType) DomainScore_IsNil() bool

Returns whether the element value for DomainScore is nil in the container NAPLANScoreWithYearsType.

func (*NAPLANScoreWithYearsType) Domain_IsNil

func (s *NAPLANScoreWithYearsType) Domain_IsNil() bool

Returns whether the element value for Domain is nil in the container NAPLANScoreWithYearsType.

func (*NAPLANScoreWithYearsType) ParticipationCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreWithYearsType) ParticipationCode_IsNil

func (s *NAPLANScoreWithYearsType) ParticipationCode_IsNil() bool

Returns whether the element value for ParticipationCode is nil in the container NAPLANScoreWithYearsType.

func (*NAPLANScoreWithYearsType) SetProperties

func (n *NAPLANScoreWithYearsType) SetProperties(props ...Prop) *NAPLANScoreWithYearsType

Set a sequence of properties

func (*NAPLANScoreWithYearsType) SetProperty

func (n *NAPLANScoreWithYearsType) SetProperty(key string, value interface{}) *NAPLANScoreWithYearsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPLANScoreWithYearsType) TestLevel

func (s *NAPLANScoreWithYearsType) TestLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreWithYearsType) TestLevel_IsNil

func (s *NAPLANScoreWithYearsType) TestLevel_IsNil() bool

Returns whether the element value for TestLevel is nil in the container NAPLANScoreWithYearsType.

func (*NAPLANScoreWithYearsType) TestYear

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPLANScoreWithYearsType) TestYear_IsNil

func (s *NAPLANScoreWithYearsType) TestYear_IsNil() bool

Returns whether the element value for TestYear is nil in the container NAPLANScoreWithYearsType.

func (*NAPLANScoreWithYearsType) Unset

Set the value of a property to nil

type NAPStudentResponseSet

type NAPStudentResponseSet struct {
	// contains filtered or unexported fields
}

func NAPStudentResponseSetPointer

func NAPStudentResponseSetPointer(value interface{}) (*NAPStudentResponseSet, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPStudentResponseSetSlice

func NAPStudentResponseSetSlice() []*NAPStudentResponseSet

Create a slice of pointers to the object type

func NewNAPStudentResponseSet added in v0.1.0

func NewNAPStudentResponseSet() *NAPStudentResponseSet

Generates a new object as a pointer to a struct

func (*NAPStudentResponseSet) CalibrationSampleFlag

func (s *NAPStudentResponseSet) CalibrationSampleFlag() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) CalibrationSampleFlag_IsNil

func (s *NAPStudentResponseSet) CalibrationSampleFlag_IsNil() bool

Returns whether the element value for CalibrationSampleFlag is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPStudentResponseSet) DomainScore

func (s *NAPStudentResponseSet) DomainScore() *DomainScoreType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) DomainScore_IsNil

func (s *NAPStudentResponseSet) DomainScore_IsNil() bool

Returns whether the element value for DomainScore is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) EquatingSampleFlag

func (s *NAPStudentResponseSet) EquatingSampleFlag() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) EquatingSampleFlag_IsNil

func (s *NAPStudentResponseSet) EquatingSampleFlag_IsNil() bool

Returns whether the element value for EquatingSampleFlag is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) LocalCodeList

func (s *NAPStudentResponseSet) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) LocalCodeList_IsNil

func (s *NAPStudentResponseSet) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) NAPTestLocalId

func (s *NAPStudentResponseSet) NAPTestLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) NAPTestLocalId_IsNil

func (s *NAPStudentResponseSet) NAPTestLocalId_IsNil() bool

Returns whether the element value for NAPTestLocalId is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) NAPTestRefId

func (s *NAPStudentResponseSet) NAPTestRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) NAPTestRefId_IsNil

func (s *NAPStudentResponseSet) NAPTestRefId_IsNil() bool

Returns whether the element value for NAPTestRefId is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) ParallelTest

func (s *NAPStudentResponseSet) ParallelTest() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) ParallelTest_IsNil

func (s *NAPStudentResponseSet) ParallelTest_IsNil() bool

Returns whether the element value for ParallelTest is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) PathTakenForDomain

func (s *NAPStudentResponseSet) PathTakenForDomain() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) PathTakenForDomain_IsNil

func (s *NAPStudentResponseSet) PathTakenForDomain_IsNil() bool

Returns whether the element value for PathTakenForDomain is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) PlatformStudentIdentifier

func (s *NAPStudentResponseSet) PlatformStudentIdentifier() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) PlatformStudentIdentifier_IsNil

func (s *NAPStudentResponseSet) PlatformStudentIdentifier_IsNil() bool

Returns whether the element value for PlatformStudentIdentifier is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) RefId

func (s *NAPStudentResponseSet) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) RefId_IsNil

func (s *NAPStudentResponseSet) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) ReportExclusionFlag

func (s *NAPStudentResponseSet) ReportExclusionFlag() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) ReportExclusionFlag_IsNil

func (s *NAPStudentResponseSet) ReportExclusionFlag_IsNil() bool

Returns whether the element value for ReportExclusionFlag is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) SIF_ExtendedElements

func (s *NAPStudentResponseSet) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) SIF_ExtendedElements_IsNil

func (s *NAPStudentResponseSet) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) SIF_Metadata

func (s *NAPStudentResponseSet) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) SIF_Metadata_IsNil

func (s *NAPStudentResponseSet) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) SetProperties

func (n *NAPStudentResponseSet) SetProperties(props ...Prop) *NAPStudentResponseSet

Set a sequence of properties

func (*NAPStudentResponseSet) SetProperty

func (n *NAPStudentResponseSet) SetProperty(key string, value interface{}) *NAPStudentResponseSet

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPStudentResponseSet) StudentPersonalRefId

func (s *NAPStudentResponseSet) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) StudentPersonalRefId_IsNil

func (s *NAPStudentResponseSet) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) TestletList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPStudentResponseSet) TestletList_IsNil

func (s *NAPStudentResponseSet) TestletList_IsNil() bool

Returns whether the element value for TestletList is nil in the container NAPStudentResponseSet.

func (*NAPStudentResponseSet) Unset

Set the value of a property to nil

type NAPStudentResponseSets

type NAPStudentResponseSets struct {
	// contains filtered or unexported fields
}

func NAPStudentResponseSetsPointer added in v0.1.0

func NAPStudentResponseSetsPointer(value interface{}) (*NAPStudentResponseSets, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPStudentResponseSets added in v0.1.0

func NewNAPStudentResponseSets() *NAPStudentResponseSets

Generates a new object as a pointer to a struct

func (*NAPStudentResponseSets) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPStudentResponseSets) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPStudentResponseSets) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPStudentResponseSets) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPStudentResponseSets) Last added in v0.1.0

func (t *NAPStudentResponseSets) Last() *napstudentresponseset

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPStudentResponseSets) Len added in v0.1.0

func (t *NAPStudentResponseSets) Len() int

Length of the list.

func (*NAPStudentResponseSets) ToSlice added in v0.1.0

Convert list object to slice

type NAPStudentResponseTestletListType

type NAPStudentResponseTestletListType struct {
	// contains filtered or unexported fields
}

func NAPStudentResponseTestletListTypePointer

func NAPStudentResponseTestletListTypePointer(value interface{}) (*NAPStudentResponseTestletListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPStudentResponseTestletListType added in v0.1.0

func NewNAPStudentResponseTestletListType() *NAPStudentResponseTestletListType

Generates a new object as a pointer to a struct

func (*NAPStudentResponseTestletListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPStudentResponseTestletListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPStudentResponseTestletListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPStudentResponseTestletListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPStudentResponseTestletListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPStudentResponseTestletListType) Len

Length of the list.

func (*NAPStudentResponseTestletListType) ToSlice added in v0.1.0

Convert list object to slice

type NAPSubscoreListType

type NAPSubscoreListType struct {
	// contains filtered or unexported fields
}

func NAPSubscoreListTypePointer

func NAPSubscoreListTypePointer(value interface{}) (*NAPSubscoreListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPSubscoreListType added in v0.1.0

func NewNAPSubscoreListType() *NAPSubscoreListType

Generates a new object as a pointer to a struct

func (*NAPSubscoreListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPSubscoreListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPSubscoreListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPSubscoreListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPSubscoreListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPSubscoreListType) Len

func (t *NAPSubscoreListType) Len() int

Length of the list.

func (*NAPSubscoreListType) ToSlice added in v0.1.0

func (t *NAPSubscoreListType) ToSlice() []*NAPSubscoreType

Convert list object to slice

type NAPSubscoreType

type NAPSubscoreType struct {
	// contains filtered or unexported fields
}

func NAPSubscoreTypePointer

func NAPSubscoreTypePointer(value interface{}) (*NAPSubscoreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPSubscoreType added in v0.1.0

func NewNAPSubscoreType() *NAPSubscoreType

Generates a new object as a pointer to a struct

func (*NAPSubscoreType) Clone

func (t *NAPSubscoreType) Clone() *NAPSubscoreType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPSubscoreType) SetProperties

func (n *NAPSubscoreType) SetProperties(props ...Prop) *NAPSubscoreType

Set a sequence of properties

func (*NAPSubscoreType) SetProperty

func (n *NAPSubscoreType) SetProperty(key string, value interface{}) *NAPSubscoreType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPSubscoreType) SubscoreType

func (s *NAPSubscoreType) SubscoreType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPSubscoreType) SubscoreType_IsNil

func (s *NAPSubscoreType) SubscoreType_IsNil() bool

Returns whether the element value for SubscoreType is nil in the container NAPSubscoreType.

func (*NAPSubscoreType) SubscoreValue

func (s *NAPSubscoreType) SubscoreValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPSubscoreType) SubscoreValue_IsNil

func (s *NAPSubscoreType) SubscoreValue_IsNil() bool

Returns whether the element value for SubscoreValue is nil in the container NAPSubscoreType.

func (*NAPSubscoreType) Unset

func (n *NAPSubscoreType) Unset(key string) *NAPSubscoreType

Set the value of a property to nil

type NAPTest

type NAPTest struct {
	// contains filtered or unexported fields
}

func NAPTestPointer

func NAPTestPointer(value interface{}) (*NAPTest, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPTestSlice

func NAPTestSlice() []*NAPTest

Create a slice of pointers to the object type

func NewNAPTest added in v0.1.0

func NewNAPTest() *NAPTest

Generates a new object as a pointer to a struct

func (*NAPTest) Clone

func (t *NAPTest) Clone() *NAPTest

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTest) LocalCodeList

func (s *NAPTest) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTest) LocalCodeList_IsNil

func (s *NAPTest) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPTest.

func (*NAPTest) RefId

func (s *NAPTest) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTest) RefId_IsNil

func (s *NAPTest) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPTest.

func (*NAPTest) SIF_ExtendedElements

func (s *NAPTest) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTest) SIF_ExtendedElements_IsNil

func (s *NAPTest) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPTest.

func (*NAPTest) SIF_Metadata

func (s *NAPTest) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTest) SIF_Metadata_IsNil

func (s *NAPTest) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPTest.

func (*NAPTest) SetProperties

func (n *NAPTest) SetProperties(props ...Prop) *NAPTest

Set a sequence of properties

func (*NAPTest) SetProperty

func (n *NAPTest) SetProperty(key string, value interface{}) *NAPTest

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTest) TestContent

func (s *NAPTest) TestContent() *NAPTestContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTest) TestContent_IsNil

func (s *NAPTest) TestContent_IsNil() bool

Returns whether the element value for TestContent is nil in the container NAPTest.

func (*NAPTest) Unset

func (n *NAPTest) Unset(key string) *NAPTest

Set the value of a property to nil

type NAPTestContentType

type NAPTestContentType struct {
	// contains filtered or unexported fields
}

func NAPTestContentTypePointer

func NAPTestContentTypePointer(value interface{}) (*NAPTestContentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestContentType added in v0.1.0

func NewNAPTestContentType() *NAPTestContentType

Generates a new object as a pointer to a struct

func (*NAPTestContentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestContentType) Domain

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) DomainBands

func (s *NAPTestContentType) DomainBands() *DomainBandsContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) DomainBands_IsNil

func (s *NAPTestContentType) DomainBands_IsNil() bool

Returns whether the element value for DomainBands is nil in the container NAPTestContentType.

func (*NAPTestContentType) DomainProficiency

func (s *NAPTestContentType) DomainProficiency() *DomainProficiencyContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) DomainProficiency_IsNil

func (s *NAPTestContentType) DomainProficiency_IsNil() bool

Returns whether the element value for DomainProficiency is nil in the container NAPTestContentType.

func (*NAPTestContentType) Domain_IsNil

func (s *NAPTestContentType) Domain_IsNil() bool

Returns whether the element value for Domain is nil in the container NAPTestContentType.

func (*NAPTestContentType) NAPTestLocalId

func (s *NAPTestContentType) NAPTestLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) NAPTestLocalId_IsNil

func (s *NAPTestContentType) NAPTestLocalId_IsNil() bool

Returns whether the element value for NAPTestLocalId is nil in the container NAPTestContentType.

func (*NAPTestContentType) SetProperties

func (n *NAPTestContentType) SetProperties(props ...Prop) *NAPTestContentType

Set a sequence of properties

func (*NAPTestContentType) SetProperty

func (n *NAPTestContentType) SetProperty(key string, value interface{}) *NAPTestContentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestContentType) StagesCount

func (s *NAPTestContentType) StagesCount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) StagesCount_IsNil

func (s *NAPTestContentType) StagesCount_IsNil() bool

Returns whether the element value for StagesCount is nil in the container NAPTestContentType.

func (*NAPTestContentType) TestLevel

func (s *NAPTestContentType) TestLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) TestLevel_IsNil

func (s *NAPTestContentType) TestLevel_IsNil() bool

Returns whether the element value for TestLevel is nil in the container NAPTestContentType.

func (*NAPTestContentType) TestName

func (s *NAPTestContentType) TestName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) TestName_IsNil

func (s *NAPTestContentType) TestName_IsNil() bool

Returns whether the element value for TestName is nil in the container NAPTestContentType.

func (*NAPTestContentType) TestType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) TestType_IsNil

func (s *NAPTestContentType) TestType_IsNil() bool

Returns whether the element value for TestType is nil in the container NAPTestContentType.

func (*NAPTestContentType) TestYear

func (s *NAPTestContentType) TestYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestContentType) TestYear_IsNil

func (s *NAPTestContentType) TestYear_IsNil() bool

Returns whether the element value for TestYear is nil in the container NAPTestContentType.

func (*NAPTestContentType) Unset

Set the value of a property to nil

type NAPTestItem

type NAPTestItem struct {
	// contains filtered or unexported fields
}

func NAPTestItemPointer

func NAPTestItemPointer(value interface{}) (*NAPTestItem, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPTestItemSlice

func NAPTestItemSlice() []*NAPTestItem

Create a slice of pointers to the object type

func NewNAPTestItem added in v0.1.0

func NewNAPTestItem() *NAPTestItem

Generates a new object as a pointer to a struct

func (*NAPTestItem) Clone

func (t *NAPTestItem) Clone() *NAPTestItem

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestItem) LocalCodeList

func (s *NAPTestItem) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem) LocalCodeList_IsNil

func (s *NAPTestItem) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPTestItem.

func (*NAPTestItem) RefId

func (s *NAPTestItem) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem) RefId_IsNil

func (s *NAPTestItem) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPTestItem.

func (*NAPTestItem) SIF_ExtendedElements

func (s *NAPTestItem) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem) SIF_ExtendedElements_IsNil

func (s *NAPTestItem) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPTestItem.

func (*NAPTestItem) SIF_Metadata

func (s *NAPTestItem) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem) SIF_Metadata_IsNil

func (s *NAPTestItem) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPTestItem.

func (*NAPTestItem) SetProperties

func (n *NAPTestItem) SetProperties(props ...Prop) *NAPTestItem

Set a sequence of properties

func (*NAPTestItem) SetProperty

func (n *NAPTestItem) SetProperty(key string, value interface{}) *NAPTestItem

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestItem) TestItemContent

func (s *NAPTestItem) TestItemContent() *NAPTestItemContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem) TestItemContent_IsNil

func (s *NAPTestItem) TestItemContent_IsNil() bool

Returns whether the element value for TestItemContent is nil in the container NAPTestItem.

func (*NAPTestItem) Unset

func (n *NAPTestItem) Unset(key string) *NAPTestItem

Set the value of a property to nil

type NAPTestItem2Type

type NAPTestItem2Type struct {
	// contains filtered or unexported fields
}

func NAPTestItem2TypePointer

func NAPTestItem2TypePointer(value interface{}) (*NAPTestItem2Type, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestItem2Type added in v0.1.0

func NewNAPTestItem2Type() *NAPTestItem2Type

Generates a new object as a pointer to a struct

func (*NAPTestItem2Type) Clone

func (t *NAPTestItem2Type) Clone() *NAPTestItem2Type

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestItem2Type) SequenceNumber

func (s *NAPTestItem2Type) SequenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem2Type) SequenceNumber_IsNil

func (s *NAPTestItem2Type) SequenceNumber_IsNil() bool

Returns whether the element value for SequenceNumber is nil in the container NAPTestItem2Type.

func (*NAPTestItem2Type) SetProperties

func (n *NAPTestItem2Type) SetProperties(props ...Prop) *NAPTestItem2Type

Set a sequence of properties

func (*NAPTestItem2Type) SetProperty

func (n *NAPTestItem2Type) SetProperty(key string, value interface{}) *NAPTestItem2Type

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestItem2Type) TestItemLocalId

func (s *NAPTestItem2Type) TestItemLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem2Type) TestItemLocalId_IsNil

func (s *NAPTestItem2Type) TestItemLocalId_IsNil() bool

Returns whether the element value for TestItemLocalId is nil in the container NAPTestItem2Type.

func (*NAPTestItem2Type) TestItemRefId

func (s *NAPTestItem2Type) TestItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItem2Type) TestItemRefId_IsNil

func (s *NAPTestItem2Type) TestItemRefId_IsNil() bool

Returns whether the element value for TestItemRefId is nil in the container NAPTestItem2Type.

func (*NAPTestItem2Type) Unset

func (n *NAPTestItem2Type) Unset(key string) *NAPTestItem2Type

Set the value of a property to nil

type NAPTestItemContentType

type NAPTestItemContentType struct {
	// contains filtered or unexported fields
}

func NAPTestItemContentTypePointer

func NAPTestItemContentTypePointer(value interface{}) (*NAPTestItemContentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestItemContentType added in v0.1.0

func NewNAPTestItemContentType() *NAPTestItemContentType

Generates a new object as a pointer to a struct

func (*NAPTestItemContentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestItemContentType) ContentDescriptionList

func (s *NAPTestItemContentType) ContentDescriptionList() *ContentDescriptionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ContentDescriptionList_IsNil

func (s *NAPTestItemContentType) ContentDescriptionList_IsNil() bool

Returns whether the element value for ContentDescriptionList is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) CorrectAnswer

func (s *NAPTestItemContentType) CorrectAnswer() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) CorrectAnswer_IsNil

func (s *NAPTestItemContentType) CorrectAnswer_IsNil() bool

Returns whether the element value for CorrectAnswer is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ExemplarURL

func (s *NAPTestItemContentType) ExemplarURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ExemplarURL_IsNil

func (s *NAPTestItemContentType) ExemplarURL_IsNil() bool

Returns whether the element value for ExemplarURL is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDescriptor

func (s *NAPTestItemContentType) ItemDescriptor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDescriptor_IsNil

func (s *NAPTestItemContentType) ItemDescriptor_IsNil() bool

Returns whether the element value for ItemDescriptor is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDifficulty

func (s *NAPTestItemContentType) ItemDifficulty() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDifficultyLogit5

func (s *NAPTestItemContentType) ItemDifficultyLogit5() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDifficultyLogit5SE

func (s *NAPTestItemContentType) ItemDifficultyLogit5SE() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDifficultyLogit5SE_IsNil

func (s *NAPTestItemContentType) ItemDifficultyLogit5SE_IsNil() bool

Returns whether the element value for ItemDifficultyLogit5SE is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDifficultyLogit5_IsNil

func (s *NAPTestItemContentType) ItemDifficultyLogit5_IsNil() bool

Returns whether the element value for ItemDifficultyLogit5 is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDifficultyLogit62

func (s *NAPTestItemContentType) ItemDifficultyLogit62() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDifficultyLogit62SE

func (s *NAPTestItemContentType) ItemDifficultyLogit62SE() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemDifficultyLogit62SE_IsNil

func (s *NAPTestItemContentType) ItemDifficultyLogit62SE_IsNil() bool

Returns whether the element value for ItemDifficultyLogit62SE is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDifficultyLogit62_IsNil

func (s *NAPTestItemContentType) ItemDifficultyLogit62_IsNil() bool

Returns whether the element value for ItemDifficultyLogit62 is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemDifficulty_IsNil

func (s *NAPTestItemContentType) ItemDifficulty_IsNil() bool

Returns whether the element value for ItemDifficulty is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemName

func (s *NAPTestItemContentType) ItemName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemName_IsNil

func (s *NAPTestItemContentType) ItemName_IsNil() bool

Returns whether the element value for ItemName is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemProficiencyBand

func (s *NAPTestItemContentType) ItemProficiencyBand() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemProficiencyBand_IsNil

func (s *NAPTestItemContentType) ItemProficiencyBand_IsNil() bool

Returns whether the element value for ItemProficiencyBand is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemProficiencyLevel

func (s *NAPTestItemContentType) ItemProficiencyLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemProficiencyLevel_IsNil

func (s *NAPTestItemContentType) ItemProficiencyLevel_IsNil() bool

Returns whether the element value for ItemProficiencyLevel is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemSubstitutedForList

func (s *NAPTestItemContentType) ItemSubstitutedForList() *SubstituteItemListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemSubstitutedForList_IsNil

func (s *NAPTestItemContentType) ItemSubstitutedForList_IsNil() bool

Returns whether the element value for ItemSubstitutedForList is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ItemType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ItemType_IsNil

func (s *NAPTestItemContentType) ItemType_IsNil() bool

Returns whether the element value for ItemType is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) MarkingType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) MarkingType_IsNil

func (s *NAPTestItemContentType) MarkingType_IsNil() bool

Returns whether the element value for MarkingType is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) MaximumScore

func (s *NAPTestItemContentType) MaximumScore() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) MaximumScore_IsNil

func (s *NAPTestItemContentType) MaximumScore_IsNil() bool

Returns whether the element value for MaximumScore is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) MultipleChoiceOptionCount

func (s *NAPTestItemContentType) MultipleChoiceOptionCount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) MultipleChoiceOptionCount_IsNil

func (s *NAPTestItemContentType) MultipleChoiceOptionCount_IsNil() bool

Returns whether the element value for MultipleChoiceOptionCount is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) NAPTestItemLocalId

func (s *NAPTestItemContentType) NAPTestItemLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) NAPTestItemLocalId_IsNil

func (s *NAPTestItemContentType) NAPTestItemLocalId_IsNil() bool

Returns whether the element value for NAPTestItemLocalId is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) NAPWritingRubricList

func (s *NAPTestItemContentType) NAPWritingRubricList() *NAPWritingRubricListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) NAPWritingRubricList_IsNil

func (s *NAPTestItemContentType) NAPWritingRubricList_IsNil() bool

Returns whether the element value for NAPWritingRubricList is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) ReleasedStatus

func (s *NAPTestItemContentType) ReleasedStatus() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) ReleasedStatus_IsNil

func (s *NAPTestItemContentType) ReleasedStatus_IsNil() bool

Returns whether the element value for ReleasedStatus is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) SetProperties

func (n *NAPTestItemContentType) SetProperties(props ...Prop) *NAPTestItemContentType

Set a sequence of properties

func (*NAPTestItemContentType) SetProperty

func (n *NAPTestItemContentType) SetProperty(key string, value interface{}) *NAPTestItemContentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestItemContentType) StimulusList

func (s *NAPTestItemContentType) StimulusList() *StimulusListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) StimulusList_IsNil

func (s *NAPTestItemContentType) StimulusList_IsNil() bool

Returns whether the element value for StimulusList is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) Subdomain

func (s *NAPTestItemContentType) Subdomain() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) Subdomain_IsNil

func (s *NAPTestItemContentType) Subdomain_IsNil() bool

Returns whether the element value for Subdomain is nil in the container NAPTestItemContentType.

func (*NAPTestItemContentType) Unset

Set the value of a property to nil

func (*NAPTestItemContentType) WritingGenre

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestItemContentType) WritingGenre_IsNil

func (s *NAPTestItemContentType) WritingGenre_IsNil() bool

Returns whether the element value for WritingGenre is nil in the container NAPTestItemContentType.

type NAPTestItemListType

type NAPTestItemListType struct {
	// contains filtered or unexported fields
}

func NAPTestItemListTypePointer

func NAPTestItemListTypePointer(value interface{}) (*NAPTestItemListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestItemListType added in v0.1.0

func NewNAPTestItemListType() *NAPTestItemListType

Generates a new object as a pointer to a struct

func (*NAPTestItemListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTestItemListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestItemListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestItemListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPTestItemListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTestItemListType) Len

func (t *NAPTestItemListType) Len() int

Length of the list.

func (*NAPTestItemListType) ToSlice added in v0.1.0

func (t *NAPTestItemListType) ToSlice() []*NAPTestItem2Type

Convert list object to slice

type NAPTestItems

type NAPTestItems struct {
	// contains filtered or unexported fields
}

func NAPTestItemsPointer added in v0.1.0

func NAPTestItemsPointer(value interface{}) (*NAPTestItems, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestItems added in v0.1.0

func NewNAPTestItems() *NAPTestItems

Generates a new object as a pointer to a struct

func (*NAPTestItems) AddNew added in v0.1.0

func (t *NAPTestItems) AddNew() *NAPTestItems

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTestItems) Append added in v0.1.0

func (t *NAPTestItems) Append(values ...*NAPTestItem) *NAPTestItems

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestItems) Clone added in v0.1.0

func (t *NAPTestItems) Clone() *NAPTestItems

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestItems) Index added in v0.1.0

func (t *NAPTestItems) Index(n int) *NAPTestItem

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPTestItems) Last added in v0.1.0

func (t *NAPTestItems) Last() *naptestitem

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTestItems) Len added in v0.1.0

func (t *NAPTestItems) Len() int

Length of the list.

func (*NAPTestItems) ToSlice added in v0.1.0

func (t *NAPTestItems) ToSlice() []*NAPTestItem

Convert list object to slice

type NAPTestScoreSummary

type NAPTestScoreSummary struct {
	// contains filtered or unexported fields
}

func NAPTestScoreSummaryPointer

func NAPTestScoreSummaryPointer(value interface{}) (*NAPTestScoreSummary, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPTestScoreSummarySlice

func NAPTestScoreSummarySlice() []*NAPTestScoreSummary

Create a slice of pointers to the object type

func NewNAPTestScoreSummary added in v0.1.0

func NewNAPTestScoreSummary() *NAPTestScoreSummary

Generates a new object as a pointer to a struct

func (*NAPTestScoreSummary) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestScoreSummary) DomainBottomNational60Percent

func (s *NAPTestScoreSummary) DomainBottomNational60Percent() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) DomainBottomNational60Percent_IsNil

func (s *NAPTestScoreSummary) DomainBottomNational60Percent_IsNil() bool

Returns whether the element value for DomainBottomNational60Percent is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) DomainJurisdictionAverage

func (s *NAPTestScoreSummary) DomainJurisdictionAverage() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) DomainJurisdictionAverage_IsNil

func (s *NAPTestScoreSummary) DomainJurisdictionAverage_IsNil() bool

Returns whether the element value for DomainJurisdictionAverage is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) DomainNationalAverage

func (s *NAPTestScoreSummary) DomainNationalAverage() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) DomainNationalAverage_IsNil

func (s *NAPTestScoreSummary) DomainNationalAverage_IsNil() bool

Returns whether the element value for DomainNationalAverage is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) DomainSchoolAverage

func (s *NAPTestScoreSummary) DomainSchoolAverage() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) DomainSchoolAverage_IsNil

func (s *NAPTestScoreSummary) DomainSchoolAverage_IsNil() bool

Returns whether the element value for DomainSchoolAverage is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) DomainTopNational60Percent

func (s *NAPTestScoreSummary) DomainTopNational60Percent() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) DomainTopNational60Percent_IsNil

func (s *NAPTestScoreSummary) DomainTopNational60Percent_IsNil() bool

Returns whether the element value for DomainTopNational60Percent is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) LocalCodeList

func (s *NAPTestScoreSummary) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) LocalCodeList_IsNil

func (s *NAPTestScoreSummary) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) NAPTestLocalId

func (s *NAPTestScoreSummary) NAPTestLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) NAPTestLocalId_IsNil

func (s *NAPTestScoreSummary) NAPTestLocalId_IsNil() bool

Returns whether the element value for NAPTestLocalId is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) NAPTestRefId

func (s *NAPTestScoreSummary) NAPTestRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) NAPTestRefId_IsNil

func (s *NAPTestScoreSummary) NAPTestRefId_IsNil() bool

Returns whether the element value for NAPTestRefId is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) RefId

func (s *NAPTestScoreSummary) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) RefId_IsNil

func (s *NAPTestScoreSummary) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) SIF_ExtendedElements

func (s *NAPTestScoreSummary) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) SIF_ExtendedElements_IsNil

func (s *NAPTestScoreSummary) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) SIF_Metadata

func (s *NAPTestScoreSummary) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) SIF_Metadata_IsNil

func (s *NAPTestScoreSummary) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) SchoolACARAId

func (s *NAPTestScoreSummary) SchoolACARAId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) SchoolACARAId_IsNil

func (s *NAPTestScoreSummary) SchoolACARAId_IsNil() bool

Returns whether the element value for SchoolACARAId is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) SchoolInfoRefId

func (s *NAPTestScoreSummary) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestScoreSummary) SchoolInfoRefId_IsNil

func (s *NAPTestScoreSummary) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container NAPTestScoreSummary.

func (*NAPTestScoreSummary) SetProperties

func (n *NAPTestScoreSummary) SetProperties(props ...Prop) *NAPTestScoreSummary

Set a sequence of properties

func (*NAPTestScoreSummary) SetProperty

func (n *NAPTestScoreSummary) SetProperty(key string, value interface{}) *NAPTestScoreSummary

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestScoreSummary) Unset

Set the value of a property to nil

type NAPTestScoreSummarys

type NAPTestScoreSummarys struct {
	// contains filtered or unexported fields
}

func NAPTestScoreSummarysPointer added in v0.1.0

func NAPTestScoreSummarysPointer(value interface{}) (*NAPTestScoreSummarys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestScoreSummarys added in v0.1.0

func NewNAPTestScoreSummarys() *NAPTestScoreSummarys

Generates a new object as a pointer to a struct

func (*NAPTestScoreSummarys) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTestScoreSummarys) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestScoreSummarys) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestScoreSummarys) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPTestScoreSummarys) Last added in v0.1.0

func (t *NAPTestScoreSummarys) Last() *naptestscoresummary

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTestScoreSummarys) Len added in v0.1.0

func (t *NAPTestScoreSummarys) Len() int

Length of the list.

func (*NAPTestScoreSummarys) ToSlice added in v0.1.0

func (t *NAPTestScoreSummarys) ToSlice() []*NAPTestScoreSummary

Convert list object to slice

type NAPTestlet

type NAPTestlet struct {
	// contains filtered or unexported fields
}

func NAPTestletPointer

func NAPTestletPointer(value interface{}) (*NAPTestlet, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NAPTestletSlice

func NAPTestletSlice() []*NAPTestlet

Create a slice of pointers to the object type

func NewNAPTestlet added in v0.1.0

func NewNAPTestlet() *NAPTestlet

Generates a new object as a pointer to a struct

func (*NAPTestlet) Clone

func (t *NAPTestlet) Clone() *NAPTestlet

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestlet) LocalCodeList

func (s *NAPTestlet) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) LocalCodeList_IsNil

func (s *NAPTestlet) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container NAPTestlet.

func (*NAPTestlet) NAPTestLocalId

func (s *NAPTestlet) NAPTestLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) NAPTestLocalId_IsNil

func (s *NAPTestlet) NAPTestLocalId_IsNil() bool

Returns whether the element value for NAPTestLocalId is nil in the container NAPTestlet.

func (*NAPTestlet) NAPTestRefId

func (s *NAPTestlet) NAPTestRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) NAPTestRefId_IsNil

func (s *NAPTestlet) NAPTestRefId_IsNil() bool

Returns whether the element value for NAPTestRefId is nil in the container NAPTestlet.

func (*NAPTestlet) RefId

func (s *NAPTestlet) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) RefId_IsNil

func (s *NAPTestlet) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container NAPTestlet.

func (*NAPTestlet) SIF_ExtendedElements

func (s *NAPTestlet) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) SIF_ExtendedElements_IsNil

func (s *NAPTestlet) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container NAPTestlet.

func (*NAPTestlet) SIF_Metadata

func (s *NAPTestlet) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) SIF_Metadata_IsNil

func (s *NAPTestlet) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container NAPTestlet.

func (*NAPTestlet) SetProperties

func (n *NAPTestlet) SetProperties(props ...Prop) *NAPTestlet

Set a sequence of properties

func (*NAPTestlet) SetProperty

func (n *NAPTestlet) SetProperty(key string, value interface{}) *NAPTestlet

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestlet) TestItemList

func (s *NAPTestlet) TestItemList() *NAPTestItemListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) TestItemList_IsNil

func (s *NAPTestlet) TestItemList_IsNil() bool

Returns whether the element value for TestItemList is nil in the container NAPTestlet.

func (*NAPTestlet) TestletContent

func (s *NAPTestlet) TestletContent() *NAPTestletContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestlet) TestletContent_IsNil

func (s *NAPTestlet) TestletContent_IsNil() bool

Returns whether the element value for TestletContent is nil in the container NAPTestlet.

func (*NAPTestlet) Unset

func (n *NAPTestlet) Unset(key string) *NAPTestlet

Set the value of a property to nil

type NAPTestletCodeFrameType

type NAPTestletCodeFrameType struct {
	// contains filtered or unexported fields
}

func NAPTestletCodeFrameTypePointer

func NAPTestletCodeFrameTypePointer(value interface{}) (*NAPTestletCodeFrameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestletCodeFrameType added in v0.1.0

func NewNAPTestletCodeFrameType() *NAPTestletCodeFrameType

Generates a new object as a pointer to a struct

func (*NAPTestletCodeFrameType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestletCodeFrameType) NAPTestletRefId

func (s *NAPTestletCodeFrameType) NAPTestletRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletCodeFrameType) NAPTestletRefId_IsNil

func (s *NAPTestletCodeFrameType) NAPTestletRefId_IsNil() bool

Returns whether the element value for NAPTestletRefId is nil in the container NAPTestletCodeFrameType.

func (*NAPTestletCodeFrameType) SetProperties

func (n *NAPTestletCodeFrameType) SetProperties(props ...Prop) *NAPTestletCodeFrameType

Set a sequence of properties

func (*NAPTestletCodeFrameType) SetProperty

func (n *NAPTestletCodeFrameType) SetProperty(key string, value interface{}) *NAPTestletCodeFrameType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestletCodeFrameType) TestItemList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletCodeFrameType) TestItemList_IsNil

func (s *NAPTestletCodeFrameType) TestItemList_IsNil() bool

Returns whether the element value for TestItemList is nil in the container NAPTestletCodeFrameType.

func (*NAPTestletCodeFrameType) TestletContent

func (s *NAPTestletCodeFrameType) TestletContent() *NAPTestletContentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletCodeFrameType) TestletContent_IsNil

func (s *NAPTestletCodeFrameType) TestletContent_IsNil() bool

Returns whether the element value for TestletContent is nil in the container NAPTestletCodeFrameType.

func (*NAPTestletCodeFrameType) Unset

Set the value of a property to nil

type NAPTestletContentType

type NAPTestletContentType struct {
	// contains filtered or unexported fields
}

func NAPTestletContentTypePointer

func NAPTestletContentTypePointer(value interface{}) (*NAPTestletContentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestletContentType added in v0.1.0

func NewNAPTestletContentType() *NAPTestletContentType

Generates a new object as a pointer to a struct

func (*NAPTestletContentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestletContentType) LocationInStage

func (s *NAPTestletContentType) LocationInStage() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletContentType) LocationInStage_IsNil

func (s *NAPTestletContentType) LocationInStage_IsNil() bool

Returns whether the element value for LocationInStage is nil in the container NAPTestletContentType.

func (*NAPTestletContentType) NAPTestletLocalId

func (s *NAPTestletContentType) NAPTestletLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletContentType) NAPTestletLocalId_IsNil

func (s *NAPTestletContentType) NAPTestletLocalId_IsNil() bool

Returns whether the element value for NAPTestletLocalId is nil in the container NAPTestletContentType.

func (*NAPTestletContentType) Node

func (s *NAPTestletContentType) Node() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletContentType) Node_IsNil

func (s *NAPTestletContentType) Node_IsNil() bool

Returns whether the element value for Node is nil in the container NAPTestletContentType.

func (*NAPTestletContentType) SetProperties

func (n *NAPTestletContentType) SetProperties(props ...Prop) *NAPTestletContentType

Set a sequence of properties

func (*NAPTestletContentType) SetProperty

func (n *NAPTestletContentType) SetProperty(key string, value interface{}) *NAPTestletContentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestletContentType) TestletMaximumScore

func (s *NAPTestletContentType) TestletMaximumScore() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletContentType) TestletMaximumScore_IsNil

func (s *NAPTestletContentType) TestletMaximumScore_IsNil() bool

Returns whether the element value for TestletMaximumScore is nil in the container NAPTestletContentType.

func (*NAPTestletContentType) TestletName

func (s *NAPTestletContentType) TestletName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletContentType) TestletName_IsNil

func (s *NAPTestletContentType) TestletName_IsNil() bool

Returns whether the element value for TestletName is nil in the container NAPTestletContentType.

func (*NAPTestletContentType) Unset

Set the value of a property to nil

type NAPTestletItemResponseListType

type NAPTestletItemResponseListType struct {
	// contains filtered or unexported fields
}

func NAPTestletItemResponseListTypePointer

func NAPTestletItemResponseListTypePointer(value interface{}) (*NAPTestletItemResponseListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestletItemResponseListType added in v0.1.0

func NewNAPTestletItemResponseListType() *NAPTestletItemResponseListType

Generates a new object as a pointer to a struct

func (*NAPTestletItemResponseListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTestletItemResponseListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestletItemResponseListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestletItemResponseListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPTestletItemResponseListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTestletItemResponseListType) Len

Length of the list.

func (*NAPTestletItemResponseListType) ToSlice added in v0.1.0

Convert list object to slice

type NAPTestletResponseItemType

type NAPTestletResponseItemType struct {
	// contains filtered or unexported fields
}

func NAPTestletResponseItemTypePointer

func NAPTestletResponseItemTypePointer(value interface{}) (*NAPTestletResponseItemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestletResponseItemType added in v0.1.0

func NewNAPTestletResponseItemType() *NAPTestletResponseItemType

Generates a new object as a pointer to a struct

func (*NAPTestletResponseItemType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestletResponseItemType) ItemWeight

func (s *NAPTestletResponseItemType) ItemWeight() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) ItemWeight_IsNil

func (s *NAPTestletResponseItemType) ItemWeight_IsNil() bool

Returns whether the element value for ItemWeight is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) LapsedTimeItem

func (s *NAPTestletResponseItemType) LapsedTimeItem() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) LapsedTimeItem_IsNil

func (s *NAPTestletResponseItemType) LapsedTimeItem_IsNil() bool

Returns whether the element value for LapsedTimeItem is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) NAPTestItemLocalId

func (s *NAPTestletResponseItemType) NAPTestItemLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) NAPTestItemLocalId_IsNil

func (s *NAPTestletResponseItemType) NAPTestItemLocalId_IsNil() bool

Returns whether the element value for NAPTestItemLocalId is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) NAPTestItemRefId

func (s *NAPTestletResponseItemType) NAPTestItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) NAPTestItemRefId_IsNil

func (s *NAPTestletResponseItemType) NAPTestItemRefId_IsNil() bool

Returns whether the element value for NAPTestItemRefId is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) Response

func (s *NAPTestletResponseItemType) Response() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) ResponseCorrectness

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) ResponseCorrectness_IsNil

func (s *NAPTestletResponseItemType) ResponseCorrectness_IsNil() bool

Returns whether the element value for ResponseCorrectness is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) Response_IsNil

func (s *NAPTestletResponseItemType) Response_IsNil() bool

Returns whether the element value for Response is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) Score

func (s *NAPTestletResponseItemType) Score() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) Score_IsNil

func (s *NAPTestletResponseItemType) Score_IsNil() bool

Returns whether the element value for Score is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) SequenceNumber

func (s *NAPTestletResponseItemType) SequenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) SequenceNumber_IsNil

func (s *NAPTestletResponseItemType) SequenceNumber_IsNil() bool

Returns whether the element value for SequenceNumber is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) SetProperties

func (n *NAPTestletResponseItemType) SetProperties(props ...Prop) *NAPTestletResponseItemType

Set a sequence of properties

func (*NAPTestletResponseItemType) SetProperty

func (n *NAPTestletResponseItemType) SetProperty(key string, value interface{}) *NAPTestletResponseItemType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestletResponseItemType) SubscoreList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseItemType) SubscoreList_IsNil

func (s *NAPTestletResponseItemType) SubscoreList_IsNil() bool

Returns whether the element value for SubscoreList is nil in the container NAPTestletResponseItemType.

func (*NAPTestletResponseItemType) Unset

Set the value of a property to nil

type NAPTestletResponseType

type NAPTestletResponseType struct {
	// contains filtered or unexported fields
}

func NAPTestletResponseTypePointer

func NAPTestletResponseTypePointer(value interface{}) (*NAPTestletResponseType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestletResponseType added in v0.1.0

func NewNAPTestletResponseType() *NAPTestletResponseType

Generates a new object as a pointer to a struct

func (*NAPTestletResponseType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestletResponseType) ItemResponseList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseType) ItemResponseList_IsNil

func (s *NAPTestletResponseType) ItemResponseList_IsNil() bool

Returns whether the element value for ItemResponseList is nil in the container NAPTestletResponseType.

func (*NAPTestletResponseType) NAPTestletLocalId

func (s *NAPTestletResponseType) NAPTestletLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseType) NAPTestletLocalId_IsNil

func (s *NAPTestletResponseType) NAPTestletLocalId_IsNil() bool

Returns whether the element value for NAPTestletLocalId is nil in the container NAPTestletResponseType.

func (*NAPTestletResponseType) NAPTestletRefId

func (s *NAPTestletResponseType) NAPTestletRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseType) NAPTestletRefId_IsNil

func (s *NAPTestletResponseType) NAPTestletRefId_IsNil() bool

Returns whether the element value for NAPTestletRefId is nil in the container NAPTestletResponseType.

func (*NAPTestletResponseType) SetProperties

func (n *NAPTestletResponseType) SetProperties(props ...Prop) *NAPTestletResponseType

Set a sequence of properties

func (*NAPTestletResponseType) SetProperty

func (n *NAPTestletResponseType) SetProperty(key string, value interface{}) *NAPTestletResponseType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestletResponseType) TestletSubScore

func (s *NAPTestletResponseType) TestletSubScore() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPTestletResponseType) TestletSubScore_IsNil

func (s *NAPTestletResponseType) TestletSubScore_IsNil() bool

Returns whether the element value for TestletSubScore is nil in the container NAPTestletResponseType.

func (*NAPTestletResponseType) Unset

Set the value of a property to nil

type NAPTestlets

type NAPTestlets struct {
	// contains filtered or unexported fields
}

func NAPTestletsPointer added in v0.1.0

func NAPTestletsPointer(value interface{}) (*NAPTestlets, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTestlets added in v0.1.0

func NewNAPTestlets() *NAPTestlets

Generates a new object as a pointer to a struct

func (*NAPTestlets) AddNew added in v0.1.0

func (t *NAPTestlets) AddNew() *NAPTestlets

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTestlets) Append added in v0.1.0

func (t *NAPTestlets) Append(values ...*NAPTestlet) *NAPTestlets

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTestlets) Clone added in v0.1.0

func (t *NAPTestlets) Clone() *NAPTestlets

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTestlets) Index added in v0.1.0

func (t *NAPTestlets) Index(n int) *NAPTestlet

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPTestlets) Last added in v0.1.0

func (t *NAPTestlets) Last() *naptestlet

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTestlets) Len added in v0.1.0

func (t *NAPTestlets) Len() int

Length of the list.

func (*NAPTestlets) ToSlice added in v0.1.0

func (t *NAPTestlets) ToSlice() []*NAPTestlet

Convert list object to slice

type NAPTests

type NAPTests struct {
	// contains filtered or unexported fields
}

func NAPTestsPointer added in v0.1.0

func NAPTestsPointer(value interface{}) (*NAPTests, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPTests added in v0.1.0

func NewNAPTests() *NAPTests

Generates a new object as a pointer to a struct

func (*NAPTests) AddNew added in v0.1.0

func (t *NAPTests) AddNew() *NAPTests

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPTests) Append added in v0.1.0

func (t *NAPTests) Append(values ...*NAPTest) *NAPTests

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPTests) Clone added in v0.1.0

func (t *NAPTests) Clone() *NAPTests

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPTests) Index added in v0.1.0

func (t *NAPTests) Index(n int) *NAPTest

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*NAPTests) Last added in v0.1.0

func (t *NAPTests) Last() *naptest

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPTests) Len added in v0.1.0

func (t *NAPTests) Len() int

Length of the list.

func (*NAPTests) ToSlice added in v0.1.0

func (t *NAPTests) ToSlice() []*NAPTest

Convert list object to slice

type NAPWritingRubricListType

type NAPWritingRubricListType struct {
	// contains filtered or unexported fields
}

func NAPWritingRubricListTypePointer

func NAPWritingRubricListTypePointer(value interface{}) (*NAPWritingRubricListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPWritingRubricListType added in v0.1.0

func NewNAPWritingRubricListType() *NAPWritingRubricListType

Generates a new object as a pointer to a struct

func (*NAPWritingRubricListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NAPWritingRubricListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPWritingRubricListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPWritingRubricListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NAPWritingRubricListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NAPWritingRubricListType) Len

func (t *NAPWritingRubricListType) Len() int

Length of the list.

func (*NAPWritingRubricListType) ToSlice added in v0.1.0

Convert list object to slice

type NAPWritingRubricType

type NAPWritingRubricType struct {
	// contains filtered or unexported fields
}

func NAPWritingRubricTypePointer

func NAPWritingRubricTypePointer(value interface{}) (*NAPWritingRubricType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNAPWritingRubricType added in v0.1.0

func NewNAPWritingRubricType() *NAPWritingRubricType

Generates a new object as a pointer to a struct

func (*NAPWritingRubricType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NAPWritingRubricType) Descriptor

func (s *NAPWritingRubricType) Descriptor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPWritingRubricType) Descriptor_IsNil

func (s *NAPWritingRubricType) Descriptor_IsNil() bool

Returns whether the element value for Descriptor is nil in the container NAPWritingRubricType.

func (*NAPWritingRubricType) RubricType

func (s *NAPWritingRubricType) RubricType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPWritingRubricType) RubricType_IsNil

func (s *NAPWritingRubricType) RubricType_IsNil() bool

Returns whether the element value for RubricType is nil in the container NAPWritingRubricType.

func (*NAPWritingRubricType) ScoreList

func (s *NAPWritingRubricType) ScoreList() *ScoreListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NAPWritingRubricType) ScoreList_IsNil

func (s *NAPWritingRubricType) ScoreList_IsNil() bool

Returns whether the element value for ScoreList is nil in the container NAPWritingRubricType.

func (*NAPWritingRubricType) SetProperties

func (n *NAPWritingRubricType) SetProperties(props ...Prop) *NAPWritingRubricType

Set a sequence of properties

func (*NAPWritingRubricType) SetProperty

func (n *NAPWritingRubricType) SetProperty(key string, value interface{}) *NAPWritingRubricType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NAPWritingRubricType) Unset

Set the value of a property to nil

type NCCDListType

type NCCDListType struct {
	// contains filtered or unexported fields
}

func NCCDListTypePointer

func NCCDListTypePointer(value interface{}) (*NCCDListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNCCDListType added in v0.1.0

func NewNCCDListType() *NCCDListType

Generates a new object as a pointer to a struct

func (*NCCDListType) AddNew

func (t *NCCDListType) AddNew() *NCCDListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NCCDListType) Append

func (t *NCCDListType) Append(values ...NCCDType) *NCCDListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NCCDListType) Clone

func (t *NCCDListType) Clone() *NCCDListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NCCDListType) Index

func (t *NCCDListType) Index(n int) *NCCDType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NCCDListType) Last

func (t *NCCDListType) Last() *NCCDType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NCCDListType) Len

func (t *NCCDListType) Len() int

Length of the list.

func (*NCCDListType) ToSlice added in v0.1.0

func (t *NCCDListType) ToSlice() []*NCCDType

Convert list object to slice

type NCCDType

type NCCDType struct {
	// contains filtered or unexported fields
}

func NCCDTypePointer

func NCCDTypePointer(value interface{}) (*NCCDType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNCCDType added in v0.1.0

func NewNCCDType() *NCCDType

Generates a new object as a pointer to a struct

func (*NCCDType) CategoryOfDisability

func (s *NCCDType) CategoryOfDisability() *AUCodeSetsNCCDDisabilityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NCCDType) CategoryOfDisability_IsNil

func (s *NCCDType) CategoryOfDisability_IsNil() bool

Returns whether the element value for CategoryOfDisability is nil in the container NCCDType.

func (*NCCDType) Clone

func (t *NCCDType) Clone() *NCCDType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NCCDType) DateOfAssessment

func (s *NCCDType) DateOfAssessment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NCCDType) DateOfAssessment_IsNil

func (s *NCCDType) DateOfAssessment_IsNil() bool

Returns whether the element value for DateOfAssessment is nil in the container NCCDType.

func (*NCCDType) DisabilityCategoryConsideredList

func (s *NCCDType) DisabilityCategoryConsideredList() *DisabilityCategoryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NCCDType) DisabilityCategoryConsideredList_IsNil

func (s *NCCDType) DisabilityCategoryConsideredList_IsNil() bool

Returns whether the element value for DisabilityCategoryConsideredList is nil in the container NCCDType.

func (*NCCDType) LevelOfAdjustment

func (s *NCCDType) LevelOfAdjustment() *AUCodeSetsNCCDAdjustmentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NCCDType) LevelOfAdjustment_IsNil

func (s *NCCDType) LevelOfAdjustment_IsNil() bool

Returns whether the element value for LevelOfAdjustment is nil in the container NCCDType.

func (*NCCDType) SetProperties

func (n *NCCDType) SetProperties(props ...Prop) *NCCDType

Set a sequence of properties

func (*NCCDType) SetProperty

func (n *NCCDType) SetProperty(key string, value interface{}) *NCCDType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NCCDType) Unset

func (n *NCCDType) Unset(key string) *NCCDType

Set the value of a property to nil

type NameOfRecordType

type NameOfRecordType struct {
	// contains filtered or unexported fields
}

func NameOfRecordTypePointer

func NameOfRecordTypePointer(value interface{}) (*NameOfRecordType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNameOfRecordType added in v0.1.0

func NewNameOfRecordType() *NameOfRecordType

Generates a new object as a pointer to a struct

func (*NameOfRecordType) Clone

func (t *NameOfRecordType) Clone() *NameOfRecordType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NameOfRecordType) FamilyName

func (s *NameOfRecordType) FamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) FamilyNameFirst

func (s *NameOfRecordType) FamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) FamilyNameFirst_IsNil

func (s *NameOfRecordType) FamilyNameFirst_IsNil() bool

Returns whether the element value for FamilyNameFirst is nil in the container NameOfRecordType.

func (*NameOfRecordType) FamilyName_IsNil

func (s *NameOfRecordType) FamilyName_IsNil() bool

Returns whether the element value for FamilyName is nil in the container NameOfRecordType.

func (*NameOfRecordType) FullName

func (s *NameOfRecordType) FullName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) FullName_IsNil

func (s *NameOfRecordType) FullName_IsNil() bool

Returns whether the element value for FullName is nil in the container NameOfRecordType.

func (*NameOfRecordType) GivenName

func (s *NameOfRecordType) GivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) GivenName_IsNil

func (s *NameOfRecordType) GivenName_IsNil() bool

Returns whether the element value for GivenName is nil in the container NameOfRecordType.

func (*NameOfRecordType) MiddleName

func (s *NameOfRecordType) MiddleName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) MiddleName_IsNil

func (s *NameOfRecordType) MiddleName_IsNil() bool

Returns whether the element value for MiddleName is nil in the container NameOfRecordType.

func (*NameOfRecordType) PreferredFamilyName

func (s *NameOfRecordType) PreferredFamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) PreferredFamilyNameFirst

func (s *NameOfRecordType) PreferredFamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) PreferredFamilyNameFirst_IsNil

func (s *NameOfRecordType) PreferredFamilyNameFirst_IsNil() bool

Returns whether the element value for PreferredFamilyNameFirst is nil in the container NameOfRecordType.

func (*NameOfRecordType) PreferredFamilyName_IsNil

func (s *NameOfRecordType) PreferredFamilyName_IsNil() bool

Returns whether the element value for PreferredFamilyName is nil in the container NameOfRecordType.

func (*NameOfRecordType) PreferredGivenName

func (s *NameOfRecordType) PreferredGivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) PreferredGivenName_IsNil

func (s *NameOfRecordType) PreferredGivenName_IsNil() bool

Returns whether the element value for PreferredGivenName is nil in the container NameOfRecordType.

func (*NameOfRecordType) SetProperties

func (n *NameOfRecordType) SetProperties(props ...Prop) *NameOfRecordType

Set a sequence of properties

func (*NameOfRecordType) SetProperty

func (n *NameOfRecordType) SetProperty(key string, value interface{}) *NameOfRecordType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NameOfRecordType) Suffix

func (s *NameOfRecordType) Suffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) Suffix_IsNil

func (s *NameOfRecordType) Suffix_IsNil() bool

Returns whether the element value for Suffix is nil in the container NameOfRecordType.

func (*NameOfRecordType) Title

func (s *NameOfRecordType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) Title_IsNil

func (s *NameOfRecordType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container NameOfRecordType.

func (*NameOfRecordType) Type

func (s *NameOfRecordType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameOfRecordType) Type_IsNil

func (s *NameOfRecordType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container NameOfRecordType.

func (*NameOfRecordType) Unset

func (n *NameOfRecordType) Unset(key string) *NameOfRecordType

Set the value of a property to nil

type NameType

type NameType struct {
	// contains filtered or unexported fields
}

func NameTypePointer

func NameTypePointer(value interface{}) (*NameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNameType added in v0.1.0

func NewNameType() *NameType

Generates a new object as a pointer to a struct

func (*NameType) Clone

func (t *NameType) Clone() *NameType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NameType) FamilyName

func (s *NameType) FamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) FamilyNameFirst

func (s *NameType) FamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) FamilyNameFirst_IsNil

func (s *NameType) FamilyNameFirst_IsNil() bool

Returns whether the element value for FamilyNameFirst is nil in the container NameType.

func (*NameType) FamilyName_IsNil

func (s *NameType) FamilyName_IsNil() bool

Returns whether the element value for FamilyName is nil in the container NameType.

func (*NameType) FullName

func (s *NameType) FullName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) FullName_IsNil

func (s *NameType) FullName_IsNil() bool

Returns whether the element value for FullName is nil in the container NameType.

func (*NameType) GivenName

func (s *NameType) GivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) GivenName_IsNil

func (s *NameType) GivenName_IsNil() bool

Returns whether the element value for GivenName is nil in the container NameType.

func (*NameType) MiddleName

func (s *NameType) MiddleName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) MiddleName_IsNil

func (s *NameType) MiddleName_IsNil() bool

Returns whether the element value for MiddleName is nil in the container NameType.

func (*NameType) PreferredFamilyName

func (s *NameType) PreferredFamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) PreferredFamilyNameFirst

func (s *NameType) PreferredFamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) PreferredFamilyNameFirst_IsNil

func (s *NameType) PreferredFamilyNameFirst_IsNil() bool

Returns whether the element value for PreferredFamilyNameFirst is nil in the container NameType.

func (*NameType) PreferredFamilyName_IsNil

func (s *NameType) PreferredFamilyName_IsNil() bool

Returns whether the element value for PreferredFamilyName is nil in the container NameType.

func (*NameType) PreferredGivenName

func (s *NameType) PreferredGivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) PreferredGivenName_IsNil

func (s *NameType) PreferredGivenName_IsNil() bool

Returns whether the element value for PreferredGivenName is nil in the container NameType.

func (*NameType) SetProperties

func (n *NameType) SetProperties(props ...Prop) *NameType

Set a sequence of properties

func (*NameType) SetProperty

func (n *NameType) SetProperty(key string, value interface{}) *NameType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NameType) Suffix

func (s *NameType) Suffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) Suffix_IsNil

func (s *NameType) Suffix_IsNil() bool

Returns whether the element value for Suffix is nil in the container NameType.

func (*NameType) Title

func (s *NameType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) Title_IsNil

func (s *NameType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container NameType.

func (*NameType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NameType) Type_IsNil

func (s *NameType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container NameType.

func (*NameType) Unset

func (n *NameType) Unset(key string) *NameType

Set the value of a property to nil

type NeverShareWithListType

type NeverShareWithListType struct {
	// contains filtered or unexported fields
}

func NeverShareWithListTypePointer

func NeverShareWithListTypePointer(value interface{}) (*NeverShareWithListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNeverShareWithListType added in v0.1.0

func NewNeverShareWithListType() *NeverShareWithListType

Generates a new object as a pointer to a struct

func (*NeverShareWithListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*NeverShareWithListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NeverShareWithListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NeverShareWithListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*NeverShareWithListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*NeverShareWithListType) Len

func (t *NeverShareWithListType) Len() int

Length of the list.

func (*NeverShareWithListType) ToSlice added in v0.1.0

Convert list object to slice

type NeverShareWithType

type NeverShareWithType struct {
	// contains filtered or unexported fields
}

func NeverShareWithTypePointer

func NeverShareWithTypePointer(value interface{}) (*NeverShareWithType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func NewNeverShareWithType added in v0.1.0

func NewNeverShareWithType() *NeverShareWithType

Generates a new object as a pointer to a struct

func (*NeverShareWithType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*NeverShareWithType) NeverShareWithComments

func (s *NeverShareWithType) NeverShareWithComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithComments_IsNil

func (s *NeverShareWithType) NeverShareWithComments_IsNil() bool

Returns whether the element value for NeverShareWithComments is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithLocalId

func (s *NeverShareWithType) NeverShareWithLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithLocalId_IsNil

func (s *NeverShareWithType) NeverShareWithLocalId_IsNil() bool

Returns whether the element value for NeverShareWithLocalId is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithName

func (s *NeverShareWithType) NeverShareWithName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithName_IsNil

func (s *NeverShareWithType) NeverShareWithName_IsNil() bool

Returns whether the element value for NeverShareWithName is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithObjectTypeName

func (s *NeverShareWithType) NeverShareWithObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithObjectTypeName_IsNil

func (s *NeverShareWithType) NeverShareWithObjectTypeName_IsNil() bool

Returns whether the element value for NeverShareWithObjectTypeName is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithParty

func (s *NeverShareWithType) NeverShareWithParty() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithParty_IsNil

func (s *NeverShareWithType) NeverShareWithParty_IsNil() bool

Returns whether the element value for NeverShareWithParty is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithPurpose

func (s *NeverShareWithType) NeverShareWithPurpose() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithPurpose_IsNil

func (s *NeverShareWithType) NeverShareWithPurpose_IsNil() bool

Returns whether the element value for NeverShareWithPurpose is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithRefId

func (s *NeverShareWithType) NeverShareWithRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithRefId_IsNil

func (s *NeverShareWithType) NeverShareWithRefId_IsNil() bool

Returns whether the element value for NeverShareWithRefId is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithRelationship

func (s *NeverShareWithType) NeverShareWithRelationship() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithRelationship_IsNil

func (s *NeverShareWithType) NeverShareWithRelationship_IsNil() bool

Returns whether the element value for NeverShareWithRelationship is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithRole

func (s *NeverShareWithType) NeverShareWithRole() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithRole_IsNil

func (s *NeverShareWithType) NeverShareWithRole_IsNil() bool

Returns whether the element value for NeverShareWithRole is nil in the container NeverShareWithType.

func (*NeverShareWithType) NeverShareWithURL

func (s *NeverShareWithType) NeverShareWithURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*NeverShareWithType) NeverShareWithURL_IsNil

func (s *NeverShareWithType) NeverShareWithURL_IsNil() bool

Returns whether the element value for NeverShareWithURL is nil in the container NeverShareWithType.

func (*NeverShareWithType) SetProperties

func (n *NeverShareWithType) SetProperties(props ...Prop) *NeverShareWithType

Set a sequence of properties

func (*NeverShareWithType) SetProperty

func (n *NeverShareWithType) SetProperty(key string, value interface{}) *NeverShareWithType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*NeverShareWithType) Unset

Set the value of a property to nil

type ObjectNameType

type ObjectNameType string

func ObjectNameTypePointer

func ObjectNameTypePointer(value interface{}) (*ObjectNameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ObjectNameType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ObjectNameType) String

func (t *ObjectNameType) String() string

Return string value

type ObjectType

type ObjectType string

func ObjectTypePointer

func ObjectTypePointer(value interface{}) (*ObjectType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ObjectType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ObjectType) String

func (t *ObjectType) String() string

Return string value

type OnTimeGraduationYearType

type OnTimeGraduationYearType string

func OnTimeGraduationYearTypePointer

func OnTimeGraduationYearTypePointer(value interface{}) (*OnTimeGraduationYearType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches OnTimeGraduationYearType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*OnTimeGraduationYearType) String

func (t *OnTimeGraduationYearType) String() string

Return string value

type OperationalStatusType

type OperationalStatusType AUCodeSetsOperationalStatusType

func OperationalStatusTypePointer

func OperationalStatusTypePointer(value interface{}) (*OperationalStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches OperationalStatusType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*OperationalStatusType) String

func (t *OperationalStatusType) String() string

Return string value

type OrganizationsType

type OrganizationsType struct {
	// contains filtered or unexported fields
}

func NewOrganizationsType added in v0.1.0

func NewOrganizationsType() *OrganizationsType

Generates a new object as a pointer to a struct

func OrganizationsTypePointer

func OrganizationsTypePointer(value interface{}) (*OrganizationsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OrganizationsType) AddNew

func (t *OrganizationsType) AddNew() *OrganizationsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*OrganizationsType) Append

func (t *OrganizationsType) Append(values ...string) *OrganizationsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OrganizationsType) AppendString

func (t *OrganizationsType) AppendString(value string) *OrganizationsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*OrganizationsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OrganizationsType) Index

func (t *OrganizationsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*OrganizationsType) Last

func (t *OrganizationsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*OrganizationsType) Len

func (t *OrganizationsType) Len() int

Length of the list.

func (*OrganizationsType) ToSlice added in v0.1.0

func (t *OrganizationsType) ToSlice() []*string

Convert list object to slice

type OtherCodeListType

type OtherCodeListType struct {
	// contains filtered or unexported fields
}

func NewOtherCodeListType added in v0.1.0

func NewOtherCodeListType() *OtherCodeListType

Generates a new object as a pointer to a struct

func OtherCodeListTypePointer

func OtherCodeListTypePointer(value interface{}) (*OtherCodeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherCodeListType) AddNew

func (t *OtherCodeListType) AddNew() *OtherCodeListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*OtherCodeListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherCodeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherCodeListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*OtherCodeListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*OtherCodeListType) Len

func (t *OtherCodeListType) Len() int

Length of the list.

func (*OtherCodeListType) ToSlice added in v0.1.0

Convert list object to slice

type OtherCodeListType_OtherCode

type OtherCodeListType_OtherCode struct {
	// contains filtered or unexported fields
}

func NewOtherCodeListType_OtherCode added in v0.1.0

func NewOtherCodeListType_OtherCode() *OtherCodeListType_OtherCode

Generates a new object as a pointer to a struct

func OtherCodeListType_OtherCodePointer

func OtherCodeListType_OtherCodePointer(value interface{}) (*OtherCodeListType_OtherCode, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherCodeListType_OtherCode) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherCodeListType_OtherCode) Codeset

func (s *OtherCodeListType_OtherCode) Codeset() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherCodeListType_OtherCode) Codeset_IsNil

func (s *OtherCodeListType_OtherCode) Codeset_IsNil() bool

Returns whether the element value for Codeset is nil in the container OtherCodeListType_OtherCode.

func (*OtherCodeListType_OtherCode) SetProperties

func (n *OtherCodeListType_OtherCode) SetProperties(props ...Prop) *OtherCodeListType_OtherCode

Set a sequence of properties

func (*OtherCodeListType_OtherCode) SetProperty

func (n *OtherCodeListType_OtherCode) SetProperty(key string, value interface{}) *OtherCodeListType_OtherCode

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherCodeListType_OtherCode) Unset

Set the value of a property to nil

func (*OtherCodeListType_OtherCode) Value

func (s *OtherCodeListType_OtherCode) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherCodeListType_OtherCode) Value_IsNil

func (s *OtherCodeListType_OtherCode) Value_IsNil() bool

Returns whether the element value for Value is nil in the container OtherCodeListType_OtherCode.

type OtherIdListType

type OtherIdListType struct {
	// contains filtered or unexported fields
}

func NewOtherIdListType added in v0.1.0

func NewOtherIdListType() *OtherIdListType

Generates a new object as a pointer to a struct

func OtherIdListTypePointer

func OtherIdListTypePointer(value interface{}) (*OtherIdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherIdListType) AddNew

func (t *OtherIdListType) AddNew() *OtherIdListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*OtherIdListType) Append

func (t *OtherIdListType) Append(values ...OtherIdType) *OtherIdListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherIdListType) Clone

func (t *OtherIdListType) Clone() *OtherIdListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherIdListType) Index

func (t *OtherIdListType) Index(n int) *OtherIdType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*OtherIdListType) Last

func (t *OtherIdListType) Last() *OtherIdType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*OtherIdListType) Len

func (t *OtherIdListType) Len() int

Length of the list.

func (*OtherIdListType) ToSlice added in v0.1.0

func (t *OtherIdListType) ToSlice() []*OtherIdType

Convert list object to slice

type OtherIdType

type OtherIdType struct {
	// contains filtered or unexported fields
}

func NewOtherIdType added in v0.1.0

func NewOtherIdType() *OtherIdType

Generates a new object as a pointer to a struct

func OtherIdTypePointer

func OtherIdTypePointer(value interface{}) (*OtherIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherIdType) Clone

func (t *OtherIdType) Clone() *OtherIdType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherIdType) SetProperties

func (n *OtherIdType) SetProperties(props ...Prop) *OtherIdType

Set a sequence of properties

func (*OtherIdType) SetProperty

func (n *OtherIdType) SetProperty(key string, value interface{}) *OtherIdType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherIdType) Type

func (s *OtherIdType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherIdType) Type_IsNil

func (s *OtherIdType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container OtherIdType.

func (*OtherIdType) Unset

func (n *OtherIdType) Unset(key string) *OtherIdType

Set the value of a property to nil

func (*OtherIdType) Value

func (s *OtherIdType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherIdType) Value_IsNil

func (s *OtherIdType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container OtherIdType.

type OtherNameType

type OtherNameType struct {
	// contains filtered or unexported fields
}

func NewOtherNameType added in v0.1.0

func NewOtherNameType() *OtherNameType

Generates a new object as a pointer to a struct

func OtherNameTypePointer

func OtherNameTypePointer(value interface{}) (*OtherNameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherNameType) Clone

func (t *OtherNameType) Clone() *OtherNameType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherNameType) FamilyName

func (s *OtherNameType) FamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) FamilyNameFirst

func (s *OtherNameType) FamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) FamilyNameFirst_IsNil

func (s *OtherNameType) FamilyNameFirst_IsNil() bool

Returns whether the element value for FamilyNameFirst is nil in the container OtherNameType.

func (*OtherNameType) FamilyName_IsNil

func (s *OtherNameType) FamilyName_IsNil() bool

Returns whether the element value for FamilyName is nil in the container OtherNameType.

func (*OtherNameType) FullName

func (s *OtherNameType) FullName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) FullName_IsNil

func (s *OtherNameType) FullName_IsNil() bool

Returns whether the element value for FullName is nil in the container OtherNameType.

func (*OtherNameType) GivenName

func (s *OtherNameType) GivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) GivenName_IsNil

func (s *OtherNameType) GivenName_IsNil() bool

Returns whether the element value for GivenName is nil in the container OtherNameType.

func (*OtherNameType) MiddleName

func (s *OtherNameType) MiddleName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) MiddleName_IsNil

func (s *OtherNameType) MiddleName_IsNil() bool

Returns whether the element value for MiddleName is nil in the container OtherNameType.

func (*OtherNameType) PreferredFamilyName

func (s *OtherNameType) PreferredFamilyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) PreferredFamilyNameFirst

func (s *OtherNameType) PreferredFamilyNameFirst() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) PreferredFamilyNameFirst_IsNil

func (s *OtherNameType) PreferredFamilyNameFirst_IsNil() bool

Returns whether the element value for PreferredFamilyNameFirst is nil in the container OtherNameType.

func (*OtherNameType) PreferredFamilyName_IsNil

func (s *OtherNameType) PreferredFamilyName_IsNil() bool

Returns whether the element value for PreferredFamilyName is nil in the container OtherNameType.

func (*OtherNameType) PreferredGivenName

func (s *OtherNameType) PreferredGivenName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) PreferredGivenName_IsNil

func (s *OtherNameType) PreferredGivenName_IsNil() bool

Returns whether the element value for PreferredGivenName is nil in the container OtherNameType.

func (*OtherNameType) SetProperties

func (n *OtherNameType) SetProperties(props ...Prop) *OtherNameType

Set a sequence of properties

func (*OtherNameType) SetProperty

func (n *OtherNameType) SetProperty(key string, value interface{}) *OtherNameType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherNameType) Suffix

func (s *OtherNameType) Suffix() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) Suffix_IsNil

func (s *OtherNameType) Suffix_IsNil() bool

Returns whether the element value for Suffix is nil in the container OtherNameType.

func (*OtherNameType) Title

func (s *OtherNameType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) Title_IsNil

func (s *OtherNameType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container OtherNameType.

func (*OtherNameType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherNameType) Type_IsNil

func (s *OtherNameType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container OtherNameType.

func (*OtherNameType) Unset

func (n *OtherNameType) Unset(key string) *OtherNameType

Set the value of a property to nil

type OtherNamesType

type OtherNamesType struct {
	// contains filtered or unexported fields
}

func NewOtherNamesType added in v0.1.0

func NewOtherNamesType() *OtherNamesType

Generates a new object as a pointer to a struct

func OtherNamesTypePointer

func OtherNamesTypePointer(value interface{}) (*OtherNamesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherNamesType) AddNew

func (t *OtherNamesType) AddNew() *OtherNamesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*OtherNamesType) Append

func (t *OtherNamesType) Append(values ...OtherNameType) *OtherNamesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherNamesType) Clone

func (t *OtherNamesType) Clone() *OtherNamesType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherNamesType) Index

func (t *OtherNamesType) Index(n int) *OtherNameType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*OtherNamesType) Last

func (t *OtherNamesType) Last() *OtherNameType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*OtherNamesType) Len

func (t *OtherNamesType) Len() int

Length of the list.

func (*OtherNamesType) ToSlice added in v0.1.0

func (t *OtherNamesType) ToSlice() []*OtherNameType

Convert list object to slice

type OtherWellbeingResponseContainerType

type OtherWellbeingResponseContainerType struct {
	// contains filtered or unexported fields
}

func NewOtherWellbeingResponseContainerType added in v0.1.0

func NewOtherWellbeingResponseContainerType() *OtherWellbeingResponseContainerType

Generates a new object as a pointer to a struct

func OtherWellbeingResponseContainerTypePointer

func OtherWellbeingResponseContainerTypePointer(value interface{}) (*OtherWellbeingResponseContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*OtherWellbeingResponseContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*OtherWellbeingResponseContainerType) OtherResponseDate

func (s *OtherWellbeingResponseContainerType) OtherResponseDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherWellbeingResponseContainerType) OtherResponseDate_IsNil

func (s *OtherWellbeingResponseContainerType) OtherResponseDate_IsNil() bool

Returns whether the element value for OtherResponseDate is nil in the container OtherWellbeingResponseContainerType.

func (*OtherWellbeingResponseContainerType) OtherResponseDescription

func (s *OtherWellbeingResponseContainerType) OtherResponseDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherWellbeingResponseContainerType) OtherResponseDescription_IsNil

func (s *OtherWellbeingResponseContainerType) OtherResponseDescription_IsNil() bool

Returns whether the element value for OtherResponseDescription is nil in the container OtherWellbeingResponseContainerType.

func (*OtherWellbeingResponseContainerType) OtherResponseNotes

func (s *OtherWellbeingResponseContainerType) OtherResponseNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherWellbeingResponseContainerType) OtherResponseNotes_IsNil

func (s *OtherWellbeingResponseContainerType) OtherResponseNotes_IsNil() bool

Returns whether the element value for OtherResponseNotes is nil in the container OtherWellbeingResponseContainerType.

func (*OtherWellbeingResponseContainerType) OtherResponseType

func (s *OtherWellbeingResponseContainerType) OtherResponseType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherWellbeingResponseContainerType) OtherResponseType_IsNil

func (s *OtherWellbeingResponseContainerType) OtherResponseType_IsNil() bool

Returns whether the element value for OtherResponseType is nil in the container OtherWellbeingResponseContainerType.

func (*OtherWellbeingResponseContainerType) SetProperties

Set a sequence of properties

func (*OtherWellbeingResponseContainerType) SetProperty

func (n *OtherWellbeingResponseContainerType) SetProperty(key string, value interface{}) *OtherWellbeingResponseContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*OtherWellbeingResponseContainerType) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*OtherWellbeingResponseContainerType) Status_IsNil

func (s *OtherWellbeingResponseContainerType) Status_IsNil() bool

Returns whether the element value for Status is nil in the container OtherWellbeingResponseContainerType.

func (*OtherWellbeingResponseContainerType) Unset

Set the value of a property to nil

type PNPCodeListType

type PNPCodeListType struct {
	// contains filtered or unexported fields
}

func NewPNPCodeListType added in v0.1.0

func NewPNPCodeListType() *PNPCodeListType

Generates a new object as a pointer to a struct

func PNPCodeListTypePointer

func PNPCodeListTypePointer(value interface{}) (*PNPCodeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PNPCodeListType) AddNew

func (t *PNPCodeListType) AddNew() *PNPCodeListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PNPCodeListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PNPCodeListType) AppendString

func (t *PNPCodeListType) AppendString(value string) *PNPCodeListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*PNPCodeListType) Clone

func (t *PNPCodeListType) Clone() *PNPCodeListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PNPCodeListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PNPCodeListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PNPCodeListType) Len

func (t *PNPCodeListType) Len() int

Length of the list.

func (*PNPCodeListType) ToSlice added in v0.1.0

func (t *PNPCodeListType) ToSlice() []*AUCodeSetsPNPCodeType

Convert list object to slice

type PartialDateType

type PartialDateType string

func PartialDateTypePointer

func PartialDateTypePointer(value interface{}) (*PartialDateType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches PartialDateType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*PartialDateType) String

func (t *PartialDateType) String() string

Return string value

type PassportType

type PassportType struct {
	// contains filtered or unexported fields
}

func NewPassportType added in v0.1.0

func NewPassportType() *PassportType

Generates a new object as a pointer to a struct

func PassportTypePointer

func PassportTypePointer(value interface{}) (*PassportType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PassportType) Clone

func (t *PassportType) Clone() *PassportType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PassportType) Country

func (s *PassportType) Country() *CountryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PassportType) Country_IsNil

func (s *PassportType) Country_IsNil() bool

Returns whether the element value for Country is nil in the container PassportType.

func (*PassportType) ExpiryDate

func (s *PassportType) ExpiryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PassportType) ExpiryDate_IsNil

func (s *PassportType) ExpiryDate_IsNil() bool

Returns whether the element value for ExpiryDate is nil in the container PassportType.

func (*PassportType) Number

func (s *PassportType) Number() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PassportType) Number_IsNil

func (s *PassportType) Number_IsNil() bool

Returns whether the element value for Number is nil in the container PassportType.

func (*PassportType) SetProperties

func (n *PassportType) SetProperties(props ...Prop) *PassportType

Set a sequence of properties

func (*PassportType) SetProperty

func (n *PassportType) SetProperty(key string, value interface{}) *PassportType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PassportType) Unset

func (n *PassportType) Unset(key string) *PassportType

Set the value of a property to nil

type PasswordListType

type PasswordListType struct {
	// contains filtered or unexported fields
}

func NewPasswordListType added in v0.1.0

func NewPasswordListType() *PasswordListType

Generates a new object as a pointer to a struct

func PasswordListTypePointer

func PasswordListTypePointer(value interface{}) (*PasswordListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PasswordListType) AddNew

func (t *PasswordListType) AddNew() *PasswordListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PasswordListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PasswordListType) Clone

func (t *PasswordListType) Clone() *PasswordListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PasswordListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PasswordListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PasswordListType) Len

func (t *PasswordListType) Len() int

Length of the list.

func (*PasswordListType) ToSlice added in v0.1.0

Convert list object to slice

type PasswordListType_Password

type PasswordListType_Password struct {
	// contains filtered or unexported fields
}

func NewPasswordListType_Password added in v0.1.0

func NewPasswordListType_Password() *PasswordListType_Password

Generates a new object as a pointer to a struct

func PasswordListType_PasswordPointer

func PasswordListType_PasswordPointer(value interface{}) (*PasswordListType_Password, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PasswordListType_Password) Algorithm

func (s *PasswordListType_Password) Algorithm() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PasswordListType_Password) Algorithm_IsNil

func (s *PasswordListType_Password) Algorithm_IsNil() bool

Returns whether the element value for Algorithm is nil in the container PasswordListType_Password.

func (*PasswordListType_Password) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PasswordListType_Password) KeyName

func (s *PasswordListType_Password) KeyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PasswordListType_Password) KeyName_IsNil

func (s *PasswordListType_Password) KeyName_IsNil() bool

Returns whether the element value for KeyName is nil in the container PasswordListType_Password.

func (*PasswordListType_Password) SetProperties

func (n *PasswordListType_Password) SetProperties(props ...Prop) *PasswordListType_Password

Set a sequence of properties

func (*PasswordListType_Password) SetProperty

func (n *PasswordListType_Password) SetProperty(key string, value interface{}) *PasswordListType_Password

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PasswordListType_Password) Unset

Set the value of a property to nil

func (*PasswordListType_Password) Value

func (s *PasswordListType_Password) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PasswordListType_Password) Value_IsNil

func (s *PasswordListType_Password) Value_IsNil() bool

Returns whether the element value for Value is nil in the container PasswordListType_Password.

type PaymentReceipt

type PaymentReceipt struct {
	// contains filtered or unexported fields
}

func NewPaymentReceipt added in v0.1.0

func NewPaymentReceipt() *PaymentReceipt

Generates a new object as a pointer to a struct

func PaymentReceiptPointer

func PaymentReceiptPointer(value interface{}) (*PaymentReceipt, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func PaymentReceiptSlice

func PaymentReceiptSlice() []*PaymentReceipt

Create a slice of pointers to the object type

func (*PaymentReceipt) AccountCodeList

func (s *PaymentReceipt) AccountCodeList() *AccountCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) AccountCodeList_IsNil

func (s *PaymentReceipt) AccountCodeList_IsNil() bool

Returns whether the element value for AccountCodeList is nil in the container PaymentReceipt.

func (*PaymentReceipt) AccountingPeriod

func (s *PaymentReceipt) AccountingPeriod() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) AccountingPeriod_IsNil

func (s *PaymentReceipt) AccountingPeriod_IsNil() bool

Returns whether the element value for AccountingPeriod is nil in the container PaymentReceipt.

func (*PaymentReceipt) ChargedLocationInfoRefId

func (s *PaymentReceipt) ChargedLocationInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) ChargedLocationInfoRefId_IsNil

func (s *PaymentReceipt) ChargedLocationInfoRefId_IsNil() bool

Returns whether the element value for ChargedLocationInfoRefId is nil in the container PaymentReceipt.

func (*PaymentReceipt) ChequeNumber

func (s *PaymentReceipt) ChequeNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) ChequeNumber_IsNil

func (s *PaymentReceipt) ChequeNumber_IsNil() bool

Returns whether the element value for ChequeNumber is nil in the container PaymentReceipt.

func (*PaymentReceipt) Clone

func (t *PaymentReceipt) Clone() *PaymentReceipt

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PaymentReceipt) DebtorRefId

func (s *PaymentReceipt) DebtorRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) DebtorRefId_IsNil

func (s *PaymentReceipt) DebtorRefId_IsNil() bool

Returns whether the element value for DebtorRefId is nil in the container PaymentReceipt.

func (*PaymentReceipt) FinancialAccountRefIdList

func (s *PaymentReceipt) FinancialAccountRefIdList() *FinancialAccountRefIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) FinancialAccountRefIdList_IsNil

func (s *PaymentReceipt) FinancialAccountRefIdList_IsNil() bool

Returns whether the element value for FinancialAccountRefIdList is nil in the container PaymentReceipt.

func (*PaymentReceipt) InvoiceRefId

func (s *PaymentReceipt) InvoiceRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) InvoiceRefId_IsNil

func (s *PaymentReceipt) InvoiceRefId_IsNil() bool

Returns whether the element value for InvoiceRefId is nil in the container PaymentReceipt.

func (*PaymentReceipt) LocalCodeList

func (s *PaymentReceipt) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) LocalCodeList_IsNil

func (s *PaymentReceipt) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container PaymentReceipt.

func (*PaymentReceipt) LocalId

func (s *PaymentReceipt) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) LocalId_IsNil

func (s *PaymentReceipt) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container PaymentReceipt.

func (*PaymentReceipt) PaymentReceiptLineList

func (s *PaymentReceipt) PaymentReceiptLineList() *PaymentReceiptLineListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) PaymentReceiptLineList_IsNil

func (s *PaymentReceipt) PaymentReceiptLineList_IsNil() bool

Returns whether the element value for PaymentReceiptLineList is nil in the container PaymentReceipt.

func (*PaymentReceipt) ReceivedTransactionId

func (s *PaymentReceipt) ReceivedTransactionId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) ReceivedTransactionId_IsNil

func (s *PaymentReceipt) ReceivedTransactionId_IsNil() bool

Returns whether the element value for ReceivedTransactionId is nil in the container PaymentReceipt.

func (*PaymentReceipt) RefId

func (s *PaymentReceipt) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) RefId_IsNil

func (s *PaymentReceipt) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container PaymentReceipt.

func (*PaymentReceipt) SIF_ExtendedElements

func (s *PaymentReceipt) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) SIF_ExtendedElements_IsNil

func (s *PaymentReceipt) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container PaymentReceipt.

func (*PaymentReceipt) SIF_Metadata

func (s *PaymentReceipt) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) SIF_Metadata_IsNil

func (s *PaymentReceipt) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container PaymentReceipt.

func (*PaymentReceipt) SetProperties

func (n *PaymentReceipt) SetProperties(props ...Prop) *PaymentReceipt

Set a sequence of properties

func (*PaymentReceipt) SetProperty

func (n *PaymentReceipt) SetProperty(key string, value interface{}) *PaymentReceipt

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PaymentReceipt) TaxAmount

func (s *PaymentReceipt) TaxAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TaxAmount_IsNil

func (s *PaymentReceipt) TaxAmount_IsNil() bool

Returns whether the element value for TaxAmount is nil in the container PaymentReceipt.

func (*PaymentReceipt) TaxRate

func (s *PaymentReceipt) TaxRate() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TaxRate_IsNil

func (s *PaymentReceipt) TaxRate_IsNil() bool

Returns whether the element value for TaxRate is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionAmount

func (s *PaymentReceipt) TransactionAmount() *DebitOrCreditAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionAmount_IsNil

func (s *PaymentReceipt) TransactionAmount_IsNil() bool

Returns whether the element value for TransactionAmount is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionDate

func (s *PaymentReceipt) TransactionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionDate_IsNil

func (s *PaymentReceipt) TransactionDate_IsNil() bool

Returns whether the element value for TransactionDate is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionDescription

func (s *PaymentReceipt) TransactionDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionDescription_IsNil

func (s *PaymentReceipt) TransactionDescription_IsNil() bool

Returns whether the element value for TransactionDescription is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionMethod

func (s *PaymentReceipt) TransactionMethod() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionMethod_IsNil

func (s *PaymentReceipt) TransactionMethod_IsNil() bool

Returns whether the element value for TransactionMethod is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionNote

func (s *PaymentReceipt) TransactionNote() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionNote_IsNil

func (s *PaymentReceipt) TransactionNote_IsNil() bool

Returns whether the element value for TransactionNote is nil in the container PaymentReceipt.

func (*PaymentReceipt) TransactionType

func (s *PaymentReceipt) TransactionType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) TransactionType_IsNil

func (s *PaymentReceipt) TransactionType_IsNil() bool

Returns whether the element value for TransactionType is nil in the container PaymentReceipt.

func (*PaymentReceipt) Unset

func (n *PaymentReceipt) Unset(key string) *PaymentReceipt

Set the value of a property to nil

func (*PaymentReceipt) VendorInfoRefId

func (s *PaymentReceipt) VendorInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceipt) VendorInfoRefId_IsNil

func (s *PaymentReceipt) VendorInfoRefId_IsNil() bool

Returns whether the element value for VendorInfoRefId is nil in the container PaymentReceipt.

type PaymentReceiptLineListType

type PaymentReceiptLineListType struct {
	// contains filtered or unexported fields
}

func NewPaymentReceiptLineListType added in v0.1.0

func NewPaymentReceiptLineListType() *PaymentReceiptLineListType

Generates a new object as a pointer to a struct

func PaymentReceiptLineListTypePointer

func PaymentReceiptLineListTypePointer(value interface{}) (*PaymentReceiptLineListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PaymentReceiptLineListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PaymentReceiptLineListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PaymentReceiptLineListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PaymentReceiptLineListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PaymentReceiptLineListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PaymentReceiptLineListType) Len

Length of the list.

func (*PaymentReceiptLineListType) ToSlice added in v0.1.0

Convert list object to slice

type PaymentReceiptLineType

type PaymentReceiptLineType struct {
	// contains filtered or unexported fields
}

func NewPaymentReceiptLineType added in v0.1.0

func NewPaymentReceiptLineType() *PaymentReceiptLineType

Generates a new object as a pointer to a struct

func PaymentReceiptLineTypePointer

func PaymentReceiptLineTypePointer(value interface{}) (*PaymentReceiptLineType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PaymentReceiptLineType) AccountCode

func (s *PaymentReceiptLineType) AccountCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) AccountCode_IsNil

func (s *PaymentReceiptLineType) AccountCode_IsNil() bool

Returns whether the element value for AccountCode is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PaymentReceiptLineType) FinancialAccountRefId

func (s *PaymentReceiptLineType) FinancialAccountRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) FinancialAccountRefId_IsNil

func (s *PaymentReceiptLineType) FinancialAccountRefId_IsNil() bool

Returns whether the element value for FinancialAccountRefId is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) InvoiceRefId

func (s *PaymentReceiptLineType) InvoiceRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) InvoiceRefId_IsNil

func (s *PaymentReceiptLineType) InvoiceRefId_IsNil() bool

Returns whether the element value for InvoiceRefId is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) LocalId

func (s *PaymentReceiptLineType) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) LocalId_IsNil

func (s *PaymentReceiptLineType) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) LocalPaymentReceiptLineId

func (s *PaymentReceiptLineType) LocalPaymentReceiptLineId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) LocalPaymentReceiptLineId_IsNil

func (s *PaymentReceiptLineType) LocalPaymentReceiptLineId_IsNil() bool

Returns whether the element value for LocalPaymentReceiptLineId is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) SetProperties

func (n *PaymentReceiptLineType) SetProperties(props ...Prop) *PaymentReceiptLineType

Set a sequence of properties

func (*PaymentReceiptLineType) SetProperty

func (n *PaymentReceiptLineType) SetProperty(key string, value interface{}) *PaymentReceiptLineType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PaymentReceiptLineType) TaxAmount

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) TaxAmount_IsNil

func (s *PaymentReceiptLineType) TaxAmount_IsNil() bool

Returns whether the element value for TaxAmount is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) TaxRate

func (s *PaymentReceiptLineType) TaxRate() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) TaxRate_IsNil

func (s *PaymentReceiptLineType) TaxRate_IsNil() bool

Returns whether the element value for TaxRate is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) TransactionAmount

func (s *PaymentReceiptLineType) TransactionAmount() *DebitOrCreditAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) TransactionAmount_IsNil

func (s *PaymentReceiptLineType) TransactionAmount_IsNil() bool

Returns whether the element value for TransactionAmount is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) TransactionDescription

func (s *PaymentReceiptLineType) TransactionDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PaymentReceiptLineType) TransactionDescription_IsNil

func (s *PaymentReceiptLineType) TransactionDescription_IsNil() bool

Returns whether the element value for TransactionDescription is nil in the container PaymentReceiptLineType.

func (*PaymentReceiptLineType) Unset

Set the value of a property to nil

type PaymentReceipts

type PaymentReceipts struct {
	// contains filtered or unexported fields
}

func NewPaymentReceipts added in v0.1.0

func NewPaymentReceipts() *PaymentReceipts

Generates a new object as a pointer to a struct

func PaymentReceiptsPointer added in v0.1.0

func PaymentReceiptsPointer(value interface{}) (*PaymentReceipts, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PaymentReceipts) AddNew added in v0.1.0

func (t *PaymentReceipts) AddNew() *PaymentReceipts

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PaymentReceipts) Append added in v0.1.0

func (t *PaymentReceipts) Append(values ...*PaymentReceipt) *PaymentReceipts

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PaymentReceipts) Clone added in v0.1.0

func (t *PaymentReceipts) Clone() *PaymentReceipts

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PaymentReceipts) Index added in v0.1.0

func (t *PaymentReceipts) Index(n int) *PaymentReceipt

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*PaymentReceipts) Last added in v0.1.0

func (t *PaymentReceipts) Last() *paymentreceipt

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PaymentReceipts) Len added in v0.1.0

func (t *PaymentReceipts) Len() int

Length of the list.

func (*PaymentReceipts) ToSlice added in v0.1.0

func (t *PaymentReceipts) ToSlice() []*PaymentReceipt

Convert list object to slice

type PeriodAttendanceType

type PeriodAttendanceType struct {
	// contains filtered or unexported fields
}

func NewPeriodAttendanceType added in v0.1.0

func NewPeriodAttendanceType() *PeriodAttendanceType

Generates a new object as a pointer to a struct

func PeriodAttendanceTypePointer

func PeriodAttendanceTypePointer(value interface{}) (*PeriodAttendanceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PeriodAttendanceType) AttendanceCode

func (s *PeriodAttendanceType) AttendanceCode() *AttendanceCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) AttendanceCode_IsNil

func (s *PeriodAttendanceType) AttendanceCode_IsNil() bool

Returns whether the element value for AttendanceCode is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) AttendanceNote

func (s *PeriodAttendanceType) AttendanceNote() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) AttendanceNote_IsNil

func (s *PeriodAttendanceType) AttendanceNote_IsNil() bool

Returns whether the element value for AttendanceNote is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) AttendanceStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) AttendanceStatus_IsNil

func (s *PeriodAttendanceType) AttendanceStatus_IsNil() bool

Returns whether the element value for AttendanceStatus is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) AttendanceType

func (s *PeriodAttendanceType) AttendanceType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) AttendanceType_IsNil

func (s *PeriodAttendanceType) AttendanceType_IsNil() bool

Returns whether the element value for AttendanceType is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PeriodAttendanceType) Date

func (s *PeriodAttendanceType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) Date_IsNil

func (s *PeriodAttendanceType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) DayId

func (s *PeriodAttendanceType) DayId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) DayId_IsNil

func (s *PeriodAttendanceType) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) EndTime

func (s *PeriodAttendanceType) EndTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) EndTime_IsNil

func (s *PeriodAttendanceType) EndTime_IsNil() bool

Returns whether the element value for EndTime is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) RoomList

func (s *PeriodAttendanceType) RoomList() *RoomListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) RoomList_IsNil

func (s *PeriodAttendanceType) RoomList_IsNil() bool

Returns whether the element value for RoomList is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) ScheduledActivityRefId

func (s *PeriodAttendanceType) ScheduledActivityRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) ScheduledActivityRefId_IsNil

func (s *PeriodAttendanceType) ScheduledActivityRefId_IsNil() bool

Returns whether the element value for ScheduledActivityRefId is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) SessionInfoRefId

func (s *PeriodAttendanceType) SessionInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) SessionInfoRefId_IsNil

func (s *PeriodAttendanceType) SessionInfoRefId_IsNil() bool

Returns whether the element value for SessionInfoRefId is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) SetProperties

func (n *PeriodAttendanceType) SetProperties(props ...Prop) *PeriodAttendanceType

Set a sequence of properties

func (*PeriodAttendanceType) SetProperty

func (n *PeriodAttendanceType) SetProperty(key string, value interface{}) *PeriodAttendanceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PeriodAttendanceType) StartTime

func (s *PeriodAttendanceType) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) StartTime_IsNil

func (s *PeriodAttendanceType) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TeacherList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TeacherList_IsNil

func (s *PeriodAttendanceType) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TimeIn

func (s *PeriodAttendanceType) TimeIn() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TimeIn_IsNil

func (s *PeriodAttendanceType) TimeIn_IsNil() bool

Returns whether the element value for TimeIn is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TimeOut

func (s *PeriodAttendanceType) TimeOut() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TimeOut_IsNil

func (s *PeriodAttendanceType) TimeOut_IsNil() bool

Returns whether the element value for TimeOut is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TimeTableCellRefId

func (s *PeriodAttendanceType) TimeTableCellRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TimeTableCellRefId_IsNil

func (s *PeriodAttendanceType) TimeTableCellRefId_IsNil() bool

Returns whether the element value for TimeTableCellRefId is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TimeTableSubjectRefId

func (s *PeriodAttendanceType) TimeTableSubjectRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TimeTableSubjectRefId_IsNil

func (s *PeriodAttendanceType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) TimetablePeriod

func (s *PeriodAttendanceType) TimetablePeriod() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PeriodAttendanceType) TimetablePeriod_IsNil

func (s *PeriodAttendanceType) TimetablePeriod_IsNil() bool

Returns whether the element value for TimetablePeriod is nil in the container PeriodAttendanceType.

func (*PeriodAttendanceType) Unset

Set the value of a property to nil

type PeriodAttendancesType

type PeriodAttendancesType struct {
	// contains filtered or unexported fields
}

func NewPeriodAttendancesType added in v0.1.0

func NewPeriodAttendancesType() *PeriodAttendancesType

Generates a new object as a pointer to a struct

func PeriodAttendancesTypePointer

func PeriodAttendancesTypePointer(value interface{}) (*PeriodAttendancesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PeriodAttendancesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PeriodAttendancesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PeriodAttendancesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PeriodAttendancesType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PeriodAttendancesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PeriodAttendancesType) Len

func (t *PeriodAttendancesType) Len() int

Length of the list.

func (*PeriodAttendancesType) ToSlice added in v0.1.0

Convert list object to slice

type PermissionToParticipateListType

type PermissionToParticipateListType struct {
	// contains filtered or unexported fields
}

func NewPermissionToParticipateListType added in v0.1.0

func NewPermissionToParticipateListType() *PermissionToParticipateListType

Generates a new object as a pointer to a struct

func PermissionToParticipateListTypePointer

func PermissionToParticipateListTypePointer(value interface{}) (*PermissionToParticipateListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PermissionToParticipateListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PermissionToParticipateListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PermissionToParticipateListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PermissionToParticipateListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PermissionToParticipateListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PermissionToParticipateListType) Len

Length of the list.

func (*PermissionToParticipateListType) ToSlice added in v0.1.0

Convert list object to slice

type PermissionToParticipateType

type PermissionToParticipateType struct {
	// contains filtered or unexported fields
}

func NewPermissionToParticipateType added in v0.1.0

func NewPermissionToParticipateType() *PermissionToParticipateType

Generates a new object as a pointer to a struct

func PermissionToParticipateTypePointer

func PermissionToParticipateTypePointer(value interface{}) (*PermissionToParticipateType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PermissionToParticipateType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PermissionToParticipateType) Permission

func (s *PermissionToParticipateType) Permission() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionCategory

func (s *PermissionToParticipateType) PermissionCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionCategory_IsNil

func (s *PermissionToParticipateType) PermissionCategory_IsNil() bool

Returns whether the element value for PermissionCategory is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionComments

func (s *PermissionToParticipateType) PermissionComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionComments_IsNil

func (s *PermissionToParticipateType) PermissionComments_IsNil() bool

Returns whether the element value for PermissionComments is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionEndDate

func (s *PermissionToParticipateType) PermissionEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionEndDate_IsNil

func (s *PermissionToParticipateType) PermissionEndDate_IsNil() bool

Returns whether the element value for PermissionEndDate is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionGranteeName

func (s *PermissionToParticipateType) PermissionGranteeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionGranteeName_IsNil

func (s *PermissionToParticipateType) PermissionGranteeName_IsNil() bool

Returns whether the element value for PermissionGranteeName is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionGranteeObjectTypeName

func (s *PermissionToParticipateType) PermissionGranteeObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionGranteeObjectTypeName_IsNil

func (s *PermissionToParticipateType) PermissionGranteeObjectTypeName_IsNil() bool

Returns whether the element value for PermissionGranteeObjectTypeName is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionGranteeRefId

func (s *PermissionToParticipateType) PermissionGranteeRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionGranteeRefId_IsNil

func (s *PermissionToParticipateType) PermissionGranteeRefId_IsNil() bool

Returns whether the element value for PermissionGranteeRefId is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionGranteeRelationship

func (s *PermissionToParticipateType) PermissionGranteeRelationship() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionGranteeRelationship_IsNil

func (s *PermissionToParticipateType) PermissionGranteeRelationship_IsNil() bool

Returns whether the element value for PermissionGranteeRelationship is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionStartDate

func (s *PermissionToParticipateType) PermissionStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionStartDate_IsNil

func (s *PermissionToParticipateType) PermissionStartDate_IsNil() bool

Returns whether the element value for PermissionStartDate is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) PermissionValue

func (s *PermissionToParticipateType) PermissionValue() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PermissionToParticipateType) PermissionValue_IsNil

func (s *PermissionToParticipateType) PermissionValue_IsNil() bool

Returns whether the element value for PermissionValue is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) Permission_IsNil

func (s *PermissionToParticipateType) Permission_IsNil() bool

Returns whether the element value for Permission is nil in the container PermissionToParticipateType.

func (*PermissionToParticipateType) SetProperties

func (n *PermissionToParticipateType) SetProperties(props ...Prop) *PermissionToParticipateType

Set a sequence of properties

func (*PermissionToParticipateType) SetProperty

func (n *PermissionToParticipateType) SetProperty(key string, value interface{}) *PermissionToParticipateType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PermissionToParticipateType) Unset

Set the value of a property to nil

type PersonInfoType

type PersonInfoType struct {
	// contains filtered or unexported fields
}

func NewPersonInfoType added in v0.1.0

func NewPersonInfoType() *PersonInfoType

Generates a new object as a pointer to a struct

func PersonInfoTypePointer

func PersonInfoTypePointer(value interface{}) (*PersonInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonInfoType) AddressList

func (s *PersonInfoType) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) AddressList_IsNil

func (s *PersonInfoType) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container PersonInfoType.

func (*PersonInfoType) Clone

func (t *PersonInfoType) Clone() *PersonInfoType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonInfoType) Demographics

func (s *PersonInfoType) Demographics() *DemographicsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) Demographics_IsNil

func (s *PersonInfoType) Demographics_IsNil() bool

Returns whether the element value for Demographics is nil in the container PersonInfoType.

func (*PersonInfoType) EmailList

func (s *PersonInfoType) EmailList() *EmailListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) EmailList_IsNil

func (s *PersonInfoType) EmailList_IsNil() bool

Returns whether the element value for EmailList is nil in the container PersonInfoType.

func (*PersonInfoType) HouseholdContactInfoList

func (s *PersonInfoType) HouseholdContactInfoList() *HouseholdContactInfoListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) HouseholdContactInfoList_IsNil

func (s *PersonInfoType) HouseholdContactInfoList_IsNil() bool

Returns whether the element value for HouseholdContactInfoList is nil in the container PersonInfoType.

func (*PersonInfoType) Name

func (s *PersonInfoType) Name() *NameOfRecordType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) Name_IsNil

func (s *PersonInfoType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container PersonInfoType.

func (*PersonInfoType) OtherNames

func (s *PersonInfoType) OtherNames() *OtherNamesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) OtherNames_IsNil

func (s *PersonInfoType) OtherNames_IsNil() bool

Returns whether the element value for OtherNames is nil in the container PersonInfoType.

func (*PersonInfoType) PhoneNumberList

func (s *PersonInfoType) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInfoType) PhoneNumberList_IsNil

func (s *PersonInfoType) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container PersonInfoType.

func (*PersonInfoType) SetProperties

func (n *PersonInfoType) SetProperties(props ...Prop) *PersonInfoType

Set a sequence of properties

func (*PersonInfoType) SetProperty

func (n *PersonInfoType) SetProperty(key string, value interface{}) *PersonInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonInfoType) Unset

func (n *PersonInfoType) Unset(key string) *PersonInfoType

Set the value of a property to nil

type PersonInvolvementListType

type PersonInvolvementListType struct {
	// contains filtered or unexported fields
}

func NewPersonInvolvementListType added in v0.1.0

func NewPersonInvolvementListType() *PersonInvolvementListType

Generates a new object as a pointer to a struct

func PersonInvolvementListTypePointer

func PersonInvolvementListTypePointer(value interface{}) (*PersonInvolvementListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonInvolvementListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PersonInvolvementListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonInvolvementListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonInvolvementListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PersonInvolvementListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PersonInvolvementListType) Len

func (t *PersonInvolvementListType) Len() int

Length of the list.

func (*PersonInvolvementListType) ToSlice added in v0.1.0

Convert list object to slice

type PersonInvolvementType

type PersonInvolvementType struct {
	// contains filtered or unexported fields
}

func NewPersonInvolvementType added in v0.1.0

func NewPersonInvolvementType() *PersonInvolvementType

Generates a new object as a pointer to a struct

func PersonInvolvementTypePointer

func PersonInvolvementTypePointer(value interface{}) (*PersonInvolvementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonInvolvementType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonInvolvementType) HowInvolved

func (s *PersonInvolvementType) HowInvolved() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInvolvementType) HowInvolved_IsNil

func (s *PersonInvolvementType) HowInvolved_IsNil() bool

Returns whether the element value for HowInvolved is nil in the container PersonInvolvementType.

func (*PersonInvolvementType) PersonRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInvolvementType) PersonRefId_IsNil

func (s *PersonInvolvementType) PersonRefId_IsNil() bool

Returns whether the element value for PersonRefId is nil in the container PersonInvolvementType.

func (*PersonInvolvementType) SetProperties

func (n *PersonInvolvementType) SetProperties(props ...Prop) *PersonInvolvementType

Set a sequence of properties

func (*PersonInvolvementType) SetProperty

func (n *PersonInvolvementType) SetProperty(key string, value interface{}) *PersonInvolvementType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonInvolvementType) ShortName

func (s *PersonInvolvementType) ShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInvolvementType) ShortName_IsNil

func (s *PersonInvolvementType) ShortName_IsNil() bool

Returns whether the element value for ShortName is nil in the container PersonInvolvementType.

func (*PersonInvolvementType) Unset

Set the value of a property to nil

type PersonInvolvementType_PersonRefId

type PersonInvolvementType_PersonRefId struct {
	// contains filtered or unexported fields
}

func NewPersonInvolvementType_PersonRefId added in v0.1.0

func NewPersonInvolvementType_PersonRefId() *PersonInvolvementType_PersonRefId

Generates a new object as a pointer to a struct

func PersonInvolvementType_PersonRefIdPointer

func PersonInvolvementType_PersonRefIdPointer(value interface{}) (*PersonInvolvementType_PersonRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonInvolvementType_PersonRefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonInvolvementType_PersonRefId) SIF_RefObject

func (s *PersonInvolvementType_PersonRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInvolvementType_PersonRefId) SIF_RefObject_IsNil

func (s *PersonInvolvementType_PersonRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container PersonInvolvementType_PersonRefId.

func (*PersonInvolvementType_PersonRefId) SetProperties

Set a sequence of properties

func (*PersonInvolvementType_PersonRefId) SetProperty

func (n *PersonInvolvementType_PersonRefId) SetProperty(key string, value interface{}) *PersonInvolvementType_PersonRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonInvolvementType_PersonRefId) Unset

Set the value of a property to nil

func (*PersonInvolvementType_PersonRefId) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonInvolvementType_PersonRefId) Value_IsNil

func (s *PersonInvolvementType_PersonRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container PersonInvolvementType_PersonRefId.

type PersonPicture

type PersonPicture struct {
	// contains filtered or unexported fields
}

func NewPersonPicture added in v0.1.0

func NewPersonPicture() *PersonPicture

Generates a new object as a pointer to a struct

func PersonPicturePointer

func PersonPicturePointer(value interface{}) (*PersonPicture, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func PersonPictureSlice

func PersonPictureSlice() []*PersonPicture

Create a slice of pointers to the object type

func (*PersonPicture) Clone

func (t *PersonPicture) Clone() *PersonPicture

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonPicture) LocalCodeList

func (s *PersonPicture) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) LocalCodeList_IsNil

func (s *PersonPicture) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container PersonPicture.

func (*PersonPicture) OKToPublish

func (s *PersonPicture) OKToPublish() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) OKToPublish_IsNil

func (s *PersonPicture) OKToPublish_IsNil() bool

Returns whether the element value for OKToPublish is nil in the container PersonPicture.

func (*PersonPicture) ParentObjectRefId

func (s *PersonPicture) ParentObjectRefId() *PersonPicture_ParentObjectRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) ParentObjectRefId_IsNil

func (s *PersonPicture) ParentObjectRefId_IsNil() bool

Returns whether the element value for ParentObjectRefId is nil in the container PersonPicture.

func (*PersonPicture) PictureSource

func (s *PersonPicture) PictureSource() *PictureSourceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) PictureSource_IsNil

func (s *PersonPicture) PictureSource_IsNil() bool

Returns whether the element value for PictureSource is nil in the container PersonPicture.

func (*PersonPicture) PublishingPermissionList

func (s *PersonPicture) PublishingPermissionList() *PublishingPermissionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) PublishingPermissionList_IsNil

func (s *PersonPicture) PublishingPermissionList_IsNil() bool

Returns whether the element value for PublishingPermissionList is nil in the container PersonPicture.

func (*PersonPicture) RefId

func (s *PersonPicture) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) RefId_IsNil

func (s *PersonPicture) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container PersonPicture.

func (*PersonPicture) SIF_ExtendedElements

func (s *PersonPicture) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) SIF_ExtendedElements_IsNil

func (s *PersonPicture) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container PersonPicture.

func (*PersonPicture) SIF_Metadata

func (s *PersonPicture) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) SIF_Metadata_IsNil

func (s *PersonPicture) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container PersonPicture.

func (*PersonPicture) SchoolYear

func (s *PersonPicture) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture) SchoolYear_IsNil

func (s *PersonPicture) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container PersonPicture.

func (*PersonPicture) SetProperties

func (n *PersonPicture) SetProperties(props ...Prop) *PersonPicture

Set a sequence of properties

func (*PersonPicture) SetProperty

func (n *PersonPicture) SetProperty(key string, value interface{}) *PersonPicture

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonPicture) Unset

func (n *PersonPicture) Unset(key string) *PersonPicture

Set the value of a property to nil

type PersonPicture_ParentObjectRefId

type PersonPicture_ParentObjectRefId struct {
	// contains filtered or unexported fields
}

func NewPersonPicture_ParentObjectRefId added in v0.1.0

func NewPersonPicture_ParentObjectRefId() *PersonPicture_ParentObjectRefId

Generates a new object as a pointer to a struct

func PersonPicture_ParentObjectRefIdPointer

func PersonPicture_ParentObjectRefIdPointer(value interface{}) (*PersonPicture_ParentObjectRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonPicture_ParentObjectRefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonPicture_ParentObjectRefId) SIF_RefObject

func (s *PersonPicture_ParentObjectRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture_ParentObjectRefId) SIF_RefObject_IsNil

func (s *PersonPicture_ParentObjectRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container PersonPicture_ParentObjectRefId.

func (*PersonPicture_ParentObjectRefId) SetProperties

Set a sequence of properties

func (*PersonPicture_ParentObjectRefId) SetProperty

func (n *PersonPicture_ParentObjectRefId) SetProperty(key string, value interface{}) *PersonPicture_ParentObjectRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonPicture_ParentObjectRefId) Unset

Set the value of a property to nil

func (*PersonPicture_ParentObjectRefId) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPicture_ParentObjectRefId) Value_IsNil

func (s *PersonPicture_ParentObjectRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container PersonPicture_ParentObjectRefId.

type PersonPictures

type PersonPictures struct {
	// contains filtered or unexported fields
}

func NewPersonPictures added in v0.1.0

func NewPersonPictures() *PersonPictures

Generates a new object as a pointer to a struct

func PersonPicturesPointer added in v0.1.0

func PersonPicturesPointer(value interface{}) (*PersonPictures, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonPictures) AddNew added in v0.1.0

func (t *PersonPictures) AddNew() *PersonPictures

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PersonPictures) Append added in v0.1.0

func (t *PersonPictures) Append(values ...*PersonPicture) *PersonPictures

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonPictures) Clone added in v0.1.0

func (t *PersonPictures) Clone() *PersonPictures

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonPictures) Index added in v0.1.0

func (t *PersonPictures) Index(n int) *PersonPicture

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*PersonPictures) Last added in v0.1.0

func (t *PersonPictures) Last() *personpicture

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PersonPictures) Len added in v0.1.0

func (t *PersonPictures) Len() int

Length of the list.

func (*PersonPictures) ToSlice added in v0.1.0

func (t *PersonPictures) ToSlice() []*PersonPicture

Convert list object to slice

type PersonPrivacyObligationDocument

type PersonPrivacyObligationDocument struct {
	// contains filtered or unexported fields
}

func NewPersonPrivacyObligationDocument added in v0.1.0

func NewPersonPrivacyObligationDocument() *PersonPrivacyObligationDocument

Generates a new object as a pointer to a struct

func PersonPrivacyObligationDocumentPointer

func PersonPrivacyObligationDocumentPointer(value interface{}) (*PersonPrivacyObligationDocument, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func PersonPrivacyObligationDocumentSlice

func PersonPrivacyObligationDocumentSlice() []*PersonPrivacyObligationDocument

Create a slice of pointers to the object type

func (*PersonPrivacyObligationDocument) ApplicableLawList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ApplicableLawList_IsNil

func (s *PersonPrivacyObligationDocument) ApplicableLawList_IsNil() bool

Returns whether the element value for ApplicableLawList is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonPrivacyObligationDocument) ConsentToSharingOfData

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ConsentToSharingOfData_IsNil

func (s *PersonPrivacyObligationDocument) ConsentToSharingOfData_IsNil() bool

Returns whether the element value for ConsentToSharingOfData is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) ContactForRequestsObjectTypeName

func (s *PersonPrivacyObligationDocument) ContactForRequestsObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ContactForRequestsObjectTypeName_IsNil

func (s *PersonPrivacyObligationDocument) ContactForRequestsObjectTypeName_IsNil() bool

Returns whether the element value for ContactForRequestsObjectTypeName is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) ContactForRequestsRefId

func (s *PersonPrivacyObligationDocument) ContactForRequestsRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ContactForRequestsRefId_IsNil

func (s *PersonPrivacyObligationDocument) ContactForRequestsRefId_IsNil() bool

Returns whether the element value for ContactForRequestsRefId is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) EndDate

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) EndDate_IsNil

func (s *PersonPrivacyObligationDocument) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) LocalCodeList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) LocalCodeList_IsNil

func (s *PersonPrivacyObligationDocument) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) ParentObjectTypeName

func (s *PersonPrivacyObligationDocument) ParentObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ParentObjectTypeName_IsNil

func (s *PersonPrivacyObligationDocument) ParentObjectTypeName_IsNil() bool

Returns whether the element value for ParentObjectTypeName is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) ParentRefId

func (s *PersonPrivacyObligationDocument) ParentRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) ParentRefId_IsNil

func (s *PersonPrivacyObligationDocument) ParentRefId_IsNil() bool

Returns whether the element value for ParentRefId is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) PermissionToParticipateList

func (s *PersonPrivacyObligationDocument) PermissionToParticipateList() *PermissionToParticipateListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) PermissionToParticipateList_IsNil

func (s *PersonPrivacyObligationDocument) PermissionToParticipateList_IsNil() bool

Returns whether the element value for PermissionToParticipateList is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) RefId_IsNil

func (s *PersonPrivacyObligationDocument) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) SIF_ExtendedElements

func (s *PersonPrivacyObligationDocument) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) SIF_ExtendedElements_IsNil

func (s *PersonPrivacyObligationDocument) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) SIF_Metadata

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) SIF_Metadata_IsNil

func (s *PersonPrivacyObligationDocument) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) SchoolYear

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) SchoolYear_IsNil

func (s *PersonPrivacyObligationDocument) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) SetProperties

Set a sequence of properties

func (*PersonPrivacyObligationDocument) SetProperty

func (n *PersonPrivacyObligationDocument) SetProperty(key string, value interface{}) *PersonPrivacyObligationDocument

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonPrivacyObligationDocument) SettingLocationList

func (s *PersonPrivacyObligationDocument) SettingLocationList() *SettingLocationListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) SettingLocationList_IsNil

func (s *PersonPrivacyObligationDocument) SettingLocationList_IsNil() bool

Returns whether the element value for SettingLocationList is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) StartDate

func (s *PersonPrivacyObligationDocument) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonPrivacyObligationDocument) StartDate_IsNil

func (s *PersonPrivacyObligationDocument) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container PersonPrivacyObligationDocument.

func (*PersonPrivacyObligationDocument) Unset

Set the value of a property to nil

type PersonPrivacyObligationDocuments

type PersonPrivacyObligationDocuments struct {
	// contains filtered or unexported fields
}

func NewPersonPrivacyObligationDocuments added in v0.1.0

func NewPersonPrivacyObligationDocuments() *PersonPrivacyObligationDocuments

Generates a new object as a pointer to a struct

func PersonPrivacyObligationDocumentsPointer added in v0.1.0

func PersonPrivacyObligationDocumentsPointer(value interface{}) (*PersonPrivacyObligationDocuments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonPrivacyObligationDocuments) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PersonPrivacyObligationDocuments) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonPrivacyObligationDocuments) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonPrivacyObligationDocuments) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*PersonPrivacyObligationDocuments) Last added in v0.1.0

func (t *PersonPrivacyObligationDocuments) Last() *personprivacyobligationdocument

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PersonPrivacyObligationDocuments) Len added in v0.1.0

Length of the list.

func (*PersonPrivacyObligationDocuments) ToSlice added in v0.1.0

Convert list object to slice

type PersonalisedPlan

type PersonalisedPlan struct {
	// contains filtered or unexported fields
}

func NewPersonalisedPlan added in v0.1.0

func NewPersonalisedPlan() *PersonalisedPlan

Generates a new object as a pointer to a struct

func PersonalisedPlanPointer

func PersonalisedPlanPointer(value interface{}) (*PersonalisedPlan, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func PersonalisedPlanSlice

func PersonalisedPlanSlice() []*PersonalisedPlan

Create a slice of pointers to the object type

func (*PersonalisedPlan) AssociatedAttachment

func (s *PersonalisedPlan) AssociatedAttachment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) AssociatedAttachment_IsNil

func (s *PersonalisedPlan) AssociatedAttachment_IsNil() bool

Returns whether the element value for AssociatedAttachment is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) Clone

func (t *PersonalisedPlan) Clone() *PersonalisedPlan

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonalisedPlan) DocumentList

func (s *PersonalisedPlan) DocumentList() *WellbeingDocumentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) DocumentList_IsNil

func (s *PersonalisedPlan) DocumentList_IsNil() bool

Returns whether the element value for DocumentList is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) LocalCodeList

func (s *PersonalisedPlan) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) LocalCodeList_IsNil

func (s *PersonalisedPlan) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) LocalId

func (s *PersonalisedPlan) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) LocalId_IsNil

func (s *PersonalisedPlan) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) PersonalisedPlanCategory

func (s *PersonalisedPlan) PersonalisedPlanCategory() *AUCodeSetsPersonalisedPlanType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) PersonalisedPlanCategory_IsNil

func (s *PersonalisedPlan) PersonalisedPlanCategory_IsNil() bool

Returns whether the element value for PersonalisedPlanCategory is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) PersonalisedPlanEndDate

func (s *PersonalisedPlan) PersonalisedPlanEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) PersonalisedPlanEndDate_IsNil

func (s *PersonalisedPlan) PersonalisedPlanEndDate_IsNil() bool

Returns whether the element value for PersonalisedPlanEndDate is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) PersonalisedPlanNotes

func (s *PersonalisedPlan) PersonalisedPlanNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) PersonalisedPlanNotes_IsNil

func (s *PersonalisedPlan) PersonalisedPlanNotes_IsNil() bool

Returns whether the element value for PersonalisedPlanNotes is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) PersonalisedPlanReviewDate

func (s *PersonalisedPlan) PersonalisedPlanReviewDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) PersonalisedPlanReviewDate_IsNil

func (s *PersonalisedPlan) PersonalisedPlanReviewDate_IsNil() bool

Returns whether the element value for PersonalisedPlanReviewDate is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) PersonalisedPlanStartDate

func (s *PersonalisedPlan) PersonalisedPlanStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) PersonalisedPlanStartDate_IsNil

func (s *PersonalisedPlan) PersonalisedPlanStartDate_IsNil() bool

Returns whether the element value for PersonalisedPlanStartDate is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) RefId

func (s *PersonalisedPlan) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) RefId_IsNil

func (s *PersonalisedPlan) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) SIF_ExtendedElements

func (s *PersonalisedPlan) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) SIF_ExtendedElements_IsNil

func (s *PersonalisedPlan) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) SIF_Metadata

func (s *PersonalisedPlan) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) SIF_Metadata_IsNil

func (s *PersonalisedPlan) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) SchoolInfoRefId

func (s *PersonalisedPlan) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) SchoolInfoRefId_IsNil

func (s *PersonalisedPlan) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) SetProperties

func (n *PersonalisedPlan) SetProperties(props ...Prop) *PersonalisedPlan

Set a sequence of properties

func (*PersonalisedPlan) SetProperty

func (n *PersonalisedPlan) SetProperty(key string, value interface{}) *PersonalisedPlan

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonalisedPlan) StudentPersonalRefId

func (s *PersonalisedPlan) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PersonalisedPlan) StudentPersonalRefId_IsNil

func (s *PersonalisedPlan) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container PersonalisedPlan.

func (*PersonalisedPlan) Unset

func (n *PersonalisedPlan) Unset(key string) *PersonalisedPlan

Set the value of a property to nil

type PersonalisedPlans

type PersonalisedPlans struct {
	// contains filtered or unexported fields
}

func NewPersonalisedPlans added in v0.1.0

func NewPersonalisedPlans() *PersonalisedPlans

Generates a new object as a pointer to a struct

func PersonalisedPlansPointer added in v0.1.0

func PersonalisedPlansPointer(value interface{}) (*PersonalisedPlans, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PersonalisedPlans) AddNew added in v0.1.0

func (t *PersonalisedPlans) AddNew() *PersonalisedPlans

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PersonalisedPlans) Append added in v0.1.0

func (t *PersonalisedPlans) Append(values ...*PersonalisedPlan) *PersonalisedPlans

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PersonalisedPlans) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PersonalisedPlans) Index added in v0.1.0

func (t *PersonalisedPlans) Index(n int) *PersonalisedPlan

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*PersonalisedPlans) Last added in v0.1.0

func (t *PersonalisedPlans) Last() *personalisedplan

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PersonalisedPlans) Len added in v0.1.0

func (t *PersonalisedPlans) Len() int

Length of the list.

func (*PersonalisedPlans) ToSlice added in v0.1.0

func (t *PersonalisedPlans) ToSlice() []*PersonalisedPlan

Convert list object to slice

type PhoneNumberListType

type PhoneNumberListType struct {
	// contains filtered or unexported fields
}

func NewPhoneNumberListType added in v0.1.0

func NewPhoneNumberListType() *PhoneNumberListType

Generates a new object as a pointer to a struct

func PhoneNumberListTypePointer

func PhoneNumberListTypePointer(value interface{}) (*PhoneNumberListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PhoneNumberListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PhoneNumberListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PhoneNumberListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PhoneNumberListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PhoneNumberListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PhoneNumberListType) Len

func (t *PhoneNumberListType) Len() int

Length of the list.

func (*PhoneNumberListType) ToSlice added in v0.1.0

func (t *PhoneNumberListType) ToSlice() []*PhoneNumberType

Convert list object to slice

type PhoneNumberType

type PhoneNumberType struct {
	// contains filtered or unexported fields
}

func NewPhoneNumberType added in v0.1.0

func NewPhoneNumberType() *PhoneNumberType

Generates a new object as a pointer to a struct

func PhoneNumberTypePointer

func PhoneNumberTypePointer(value interface{}) (*PhoneNumberType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PhoneNumberType) Clone

func (t *PhoneNumberType) Clone() *PhoneNumberType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PhoneNumberType) Extension

func (s *PhoneNumberType) Extension() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PhoneNumberType) Extension_IsNil

func (s *PhoneNumberType) Extension_IsNil() bool

Returns whether the element value for Extension is nil in the container PhoneNumberType.

func (*PhoneNumberType) ListedStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PhoneNumberType) ListedStatus_IsNil

func (s *PhoneNumberType) ListedStatus_IsNil() bool

Returns whether the element value for ListedStatus is nil in the container PhoneNumberType.

func (*PhoneNumberType) Number

func (s *PhoneNumberType) Number() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PhoneNumberType) Number_IsNil

func (s *PhoneNumberType) Number_IsNil() bool

Returns whether the element value for Number is nil in the container PhoneNumberType.

func (*PhoneNumberType) Preference

func (s *PhoneNumberType) Preference() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PhoneNumberType) Preference_IsNil

func (s *PhoneNumberType) Preference_IsNil() bool

Returns whether the element value for Preference is nil in the container PhoneNumberType.

func (*PhoneNumberType) SetProperties

func (n *PhoneNumberType) SetProperties(props ...Prop) *PhoneNumberType

Set a sequence of properties

func (*PhoneNumberType) SetProperty

func (n *PhoneNumberType) SetProperty(key string, value interface{}) *PhoneNumberType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PhoneNumberType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PhoneNumberType) Type_IsNil

func (s *PhoneNumberType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container PhoneNumberType.

func (*PhoneNumberType) Unset

func (n *PhoneNumberType) Unset(key string) *PhoneNumberType

Set the value of a property to nil

type PictureSourceType

type PictureSourceType struct {
	// contains filtered or unexported fields
}

func NewPictureSourceType added in v0.1.0

func NewPictureSourceType() *PictureSourceType

Generates a new object as a pointer to a struct

func PictureSourceTypePointer

func PictureSourceTypePointer(value interface{}) (*PictureSourceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PictureSourceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PictureSourceType) SetProperties

func (n *PictureSourceType) SetProperties(props ...Prop) *PictureSourceType

Set a sequence of properties

func (*PictureSourceType) SetProperty

func (n *PictureSourceType) SetProperty(key string, value interface{}) *PictureSourceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PictureSourceType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PictureSourceType) Type_IsNil

func (s *PictureSourceType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container PictureSourceType.

func (*PictureSourceType) Unset

Set the value of a property to nil

func (*PictureSourceType) Value

func (s *PictureSourceType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PictureSourceType) Value_IsNil

func (s *PictureSourceType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container PictureSourceType.

type PlanRequiredContainerType

type PlanRequiredContainerType struct {
	// contains filtered or unexported fields
}

func NewPlanRequiredContainerType added in v0.1.0

func NewPlanRequiredContainerType() *PlanRequiredContainerType

Generates a new object as a pointer to a struct

func PlanRequiredContainerTypePointer

func PlanRequiredContainerTypePointer(value interface{}) (*PlanRequiredContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PlanRequiredContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PlanRequiredContainerType) PlanRequiredList

func (s *PlanRequiredContainerType) PlanRequiredList() *PlanRequiredListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PlanRequiredContainerType) PlanRequiredList_IsNil

func (s *PlanRequiredContainerType) PlanRequiredList_IsNil() bool

Returns whether the element value for PlanRequiredList is nil in the container PlanRequiredContainerType.

func (*PlanRequiredContainerType) SetProperties

func (n *PlanRequiredContainerType) SetProperties(props ...Prop) *PlanRequiredContainerType

Set a sequence of properties

func (*PlanRequiredContainerType) SetProperty

func (n *PlanRequiredContainerType) SetProperty(key string, value interface{}) *PlanRequiredContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PlanRequiredContainerType) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PlanRequiredContainerType) Status_IsNil

func (s *PlanRequiredContainerType) Status_IsNil() bool

Returns whether the element value for Status is nil in the container PlanRequiredContainerType.

func (*PlanRequiredContainerType) Unset

Set the value of a property to nil

type PlanRequiredListType

type PlanRequiredListType struct {
	// contains filtered or unexported fields
}

func NewPlanRequiredListType added in v0.1.0

func NewPlanRequiredListType() *PlanRequiredListType

Generates a new object as a pointer to a struct

func PlanRequiredListTypePointer

func PlanRequiredListTypePointer(value interface{}) (*PlanRequiredListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PlanRequiredListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PlanRequiredListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PlanRequiredListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PlanRequiredListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PlanRequiredListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PlanRequiredListType) Len

func (t *PlanRequiredListType) Len() int

Length of the list.

func (*PlanRequiredListType) ToSlice added in v0.1.0

func (t *PlanRequiredListType) ToSlice() []*WellbeingPlanType

Convert list object to slice

type PlausibleScaledValueListType

type PlausibleScaledValueListType struct {
	// contains filtered or unexported fields
}

func NewPlausibleScaledValueListType added in v0.1.0

func NewPlausibleScaledValueListType() *PlausibleScaledValueListType

Generates a new object as a pointer to a struct

func PlausibleScaledValueListTypePointer

func PlausibleScaledValueListTypePointer(value interface{}) (*PlausibleScaledValueListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PlausibleScaledValueListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PlausibleScaledValueListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PlausibleScaledValueListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PlausibleScaledValueListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PlausibleScaledValueListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PlausibleScaledValueListType) Len

Length of the list.

func (*PlausibleScaledValueListType) ToSlice added in v0.1.0

func (t *PlausibleScaledValueListType) ToSlice() []*float64

Convert list object to slice

type PrerequisitesType

type PrerequisitesType struct {
	// contains filtered or unexported fields
}

func NewPrerequisitesType added in v0.1.0

func NewPrerequisitesType() *PrerequisitesType

Generates a new object as a pointer to a struct

func PrerequisitesTypePointer

func PrerequisitesTypePointer(value interface{}) (*PrerequisitesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PrerequisitesType) AddNew

func (t *PrerequisitesType) AddNew() *PrerequisitesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PrerequisitesType) Append

func (t *PrerequisitesType) Append(values ...string) *PrerequisitesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PrerequisitesType) AppendString

func (t *PrerequisitesType) AppendString(value string) *PrerequisitesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*PrerequisitesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PrerequisitesType) Index

func (t *PrerequisitesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PrerequisitesType) Last

func (t *PrerequisitesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PrerequisitesType) Len

func (t *PrerequisitesType) Len() int

Length of the list.

func (*PrerequisitesType) ToSlice added in v0.1.0

func (t *PrerequisitesType) ToSlice() []*string

Convert list object to slice

type PreviousSchoolListType

type PreviousSchoolListType struct {
	// contains filtered or unexported fields
}

func NewPreviousSchoolListType added in v0.1.0

func NewPreviousSchoolListType() *PreviousSchoolListType

Generates a new object as a pointer to a struct

func PreviousSchoolListTypePointer

func PreviousSchoolListTypePointer(value interface{}) (*PreviousSchoolListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PreviousSchoolListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PreviousSchoolListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PreviousSchoolListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PreviousSchoolListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PreviousSchoolListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PreviousSchoolListType) Len

func (t *PreviousSchoolListType) Len() int

Length of the list.

func (*PreviousSchoolListType) ToSlice added in v0.1.0

Convert list object to slice

type PreviousSchoolType

type PreviousSchoolType struct {
	// contains filtered or unexported fields
}

func NewPreviousSchoolType added in v0.1.0

func NewPreviousSchoolType() *PreviousSchoolType

Generates a new object as a pointer to a struct

func PreviousSchoolTypePointer

func PreviousSchoolTypePointer(value interface{}) (*PreviousSchoolType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PreviousSchoolType) ACARAId

func (s *PreviousSchoolType) ACARAId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PreviousSchoolType) ACARAId_IsNil

func (s *PreviousSchoolType) ACARAId_IsNil() bool

Returns whether the element value for ACARAId is nil in the container PreviousSchoolType.

func (*PreviousSchoolType) City

func (s *PreviousSchoolType) City() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PreviousSchoolType) City_IsNil

func (s *PreviousSchoolType) City_IsNil() bool

Returns whether the element value for City is nil in the container PreviousSchoolType.

func (*PreviousSchoolType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PreviousSchoolType) CommonwealthId

func (s *PreviousSchoolType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PreviousSchoolType) CommonwealthId_IsNil

func (s *PreviousSchoolType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container PreviousSchoolType.

func (*PreviousSchoolType) Name

func (s *PreviousSchoolType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PreviousSchoolType) Name_IsNil

func (s *PreviousSchoolType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container PreviousSchoolType.

func (*PreviousSchoolType) SetProperties

func (n *PreviousSchoolType) SetProperties(props ...Prop) *PreviousSchoolType

Set a sequence of properties

func (*PreviousSchoolType) SetProperty

func (n *PreviousSchoolType) SetProperty(key string, value interface{}) *PreviousSchoolType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PreviousSchoolType) Unset

Set the value of a property to nil

type PrincipalInfoType

type PrincipalInfoType struct {
	// contains filtered or unexported fields
}

func NewPrincipalInfoType added in v0.1.0

func NewPrincipalInfoType() *PrincipalInfoType

Generates a new object as a pointer to a struct

func PrincipalInfoTypePointer

func PrincipalInfoTypePointer(value interface{}) (*PrincipalInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PrincipalInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PrincipalInfoType) ContactName

func (s *PrincipalInfoType) ContactName() *NameOfRecordType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrincipalInfoType) ContactName_IsNil

func (s *PrincipalInfoType) ContactName_IsNil() bool

Returns whether the element value for ContactName is nil in the container PrincipalInfoType.

func (*PrincipalInfoType) ContactTitle

func (s *PrincipalInfoType) ContactTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrincipalInfoType) ContactTitle_IsNil

func (s *PrincipalInfoType) ContactTitle_IsNil() bool

Returns whether the element value for ContactTitle is nil in the container PrincipalInfoType.

func (*PrincipalInfoType) EmailList

func (s *PrincipalInfoType) EmailList() *EmailListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrincipalInfoType) EmailList_IsNil

func (s *PrincipalInfoType) EmailList_IsNil() bool

Returns whether the element value for EmailList is nil in the container PrincipalInfoType.

func (*PrincipalInfoType) PhoneNumberList

func (s *PrincipalInfoType) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrincipalInfoType) PhoneNumberList_IsNil

func (s *PrincipalInfoType) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container PrincipalInfoType.

func (*PrincipalInfoType) SetProperties

func (n *PrincipalInfoType) SetProperties(props ...Prop) *PrincipalInfoType

Set a sequence of properties

func (*PrincipalInfoType) SetProperty

func (n *PrincipalInfoType) SetProperty(key string, value interface{}) *PrincipalInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PrincipalInfoType) Unset

Set the value of a property to nil

type PrivateHealthInsuranceType

type PrivateHealthInsuranceType struct {
	// contains filtered or unexported fields
}

func NewPrivateHealthInsuranceType added in v0.1.0

func NewPrivateHealthInsuranceType() *PrivateHealthInsuranceType

Generates a new object as a pointer to a struct

func PrivateHealthInsuranceTypePointer

func PrivateHealthInsuranceTypePointer(value interface{}) (*PrivateHealthInsuranceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PrivateHealthInsuranceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PrivateHealthInsuranceType) Company

func (s *PrivateHealthInsuranceType) Company() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrivateHealthInsuranceType) Company_IsNil

func (s *PrivateHealthInsuranceType) Company_IsNil() bool

Returns whether the element value for Company is nil in the container PrivateHealthInsuranceType.

func (*PrivateHealthInsuranceType) Number

func (s *PrivateHealthInsuranceType) Number() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PrivateHealthInsuranceType) Number_IsNil

func (s *PrivateHealthInsuranceType) Number_IsNil() bool

Returns whether the element value for Number is nil in the container PrivateHealthInsuranceType.

func (*PrivateHealthInsuranceType) SetProperties

func (n *PrivateHealthInsuranceType) SetProperties(props ...Prop) *PrivateHealthInsuranceType

Set a sequence of properties

func (*PrivateHealthInsuranceType) SetProperty

func (n *PrivateHealthInsuranceType) SetProperty(key string, value interface{}) *PrivateHealthInsuranceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PrivateHealthInsuranceType) Unset

Set the value of a property to nil

type ProgramAvailabilityType

type ProgramAvailabilityType struct {
	// contains filtered or unexported fields
}

func NewProgramAvailabilityType added in v0.1.0

func NewProgramAvailabilityType() *ProgramAvailabilityType

Generates a new object as a pointer to a struct

func ProgramAvailabilityTypePointer

func ProgramAvailabilityTypePointer(value interface{}) (*ProgramAvailabilityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ProgramAvailabilityType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ProgramAvailabilityType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramAvailabilityType) Code_IsNil

func (s *ProgramAvailabilityType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ProgramAvailabilityType.

func (*ProgramAvailabilityType) OtherCodeList

func (s *ProgramAvailabilityType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramAvailabilityType) OtherCodeList_IsNil

func (s *ProgramAvailabilityType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container ProgramAvailabilityType.

func (*ProgramAvailabilityType) SetProperties

func (n *ProgramAvailabilityType) SetProperties(props ...Prop) *ProgramAvailabilityType

Set a sequence of properties

func (*ProgramAvailabilityType) SetProperty

func (n *ProgramAvailabilityType) SetProperty(key string, value interface{}) *ProgramAvailabilityType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ProgramAvailabilityType) Unset

Set the value of a property to nil

type ProgramFundingSourceType

type ProgramFundingSourceType struct {
	// contains filtered or unexported fields
}

func NewProgramFundingSourceType added in v0.1.0

func NewProgramFundingSourceType() *ProgramFundingSourceType

Generates a new object as a pointer to a struct

func ProgramFundingSourceTypePointer

func ProgramFundingSourceTypePointer(value interface{}) (*ProgramFundingSourceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ProgramFundingSourceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ProgramFundingSourceType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramFundingSourceType) Code_IsNil

func (s *ProgramFundingSourceType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ProgramFundingSourceType.

func (*ProgramFundingSourceType) OtherCodeList

func (s *ProgramFundingSourceType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramFundingSourceType) OtherCodeList_IsNil

func (s *ProgramFundingSourceType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container ProgramFundingSourceType.

func (*ProgramFundingSourceType) SetProperties

func (n *ProgramFundingSourceType) SetProperties(props ...Prop) *ProgramFundingSourceType

Set a sequence of properties

func (*ProgramFundingSourceType) SetProperty

func (n *ProgramFundingSourceType) SetProperty(key string, value interface{}) *ProgramFundingSourceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ProgramFundingSourceType) Unset

Set the value of a property to nil

type ProgramFundingSourcesType

type ProgramFundingSourcesType struct {
	// contains filtered or unexported fields
}

func NewProgramFundingSourcesType added in v0.1.0

func NewProgramFundingSourcesType() *ProgramFundingSourcesType

Generates a new object as a pointer to a struct

func ProgramFundingSourcesTypePointer

func ProgramFundingSourcesTypePointer(value interface{}) (*ProgramFundingSourcesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ProgramFundingSourcesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ProgramFundingSourcesType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ProgramFundingSourcesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ProgramFundingSourcesType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ProgramFundingSourcesType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ProgramFundingSourcesType) Len

func (t *ProgramFundingSourcesType) Len() int

Length of the list.

func (*ProgramFundingSourcesType) ToSlice added in v0.1.0

Convert list object to slice

type ProgramStatusType

type ProgramStatusType struct {
	// contains filtered or unexported fields
}

func NewProgramStatusType added in v0.1.0

func NewProgramStatusType() *ProgramStatusType

Generates a new object as a pointer to a struct

func ProgramStatusTypePointer

func ProgramStatusTypePointer(value interface{}) (*ProgramStatusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ProgramStatusType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ProgramStatusType) Code

func (s *ProgramStatusType) Code() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramStatusType) Code_IsNil

func (s *ProgramStatusType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ProgramStatusType.

func (*ProgramStatusType) OtherCodeList

func (s *ProgramStatusType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ProgramStatusType) OtherCodeList_IsNil

func (s *ProgramStatusType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container ProgramStatusType.

func (*ProgramStatusType) SetProperties

func (n *ProgramStatusType) SetProperties(props ...Prop) *ProgramStatusType

Set a sequence of properties

func (*ProgramStatusType) SetProperty

func (n *ProgramStatusType) SetProperty(key string, value interface{}) *ProgramStatusType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ProgramStatusType) Unset

Set the value of a property to nil

type ProjectedGraduationYearType

type ProjectedGraduationYearType string

func ProjectedGraduationYearTypePointer

func ProjectedGraduationYearTypePointer(value interface{}) (*ProjectedGraduationYearType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ProjectedGraduationYearType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ProjectedGraduationYearType) String

func (t *ProjectedGraduationYearType) String() string

Return string value

type PromotionInfoType

type PromotionInfoType struct {
	// contains filtered or unexported fields
}

func NewPromotionInfoType added in v0.1.0

func NewPromotionInfoType() *PromotionInfoType

Generates a new object as a pointer to a struct

func PromotionInfoTypePointer

func PromotionInfoTypePointer(value interface{}) (*PromotionInfoType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PromotionInfoType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PromotionInfoType) PromotionStatus

func (s *PromotionInfoType) PromotionStatus() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PromotionInfoType) PromotionStatus_IsNil

func (s *PromotionInfoType) PromotionStatus_IsNil() bool

Returns whether the element value for PromotionStatus is nil in the container PromotionInfoType.

func (*PromotionInfoType) SetProperties

func (n *PromotionInfoType) SetProperties(props ...Prop) *PromotionInfoType

Set a sequence of properties

func (*PromotionInfoType) SetProperty

func (n *PromotionInfoType) SetProperty(key string, value interface{}) *PromotionInfoType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PromotionInfoType) Unset

Set the value of a property to nil

type Prop

type Prop struct {
	Key   string
	Value interface{}
}

Property/Value pair, used to set multiple properties of a container together

type PublishInDirectoryType

type PublishInDirectoryType AUCodeSetsYesOrNoCategoryType

func PublishInDirectoryTypePointer

func PublishInDirectoryTypePointer(value interface{}) (*PublishInDirectoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches PublishInDirectoryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*PublishInDirectoryType) String

func (t *PublishInDirectoryType) String() string

Return string value

type PublishingPermissionListType

type PublishingPermissionListType struct {
	// contains filtered or unexported fields
}

func NewPublishingPermissionListType added in v0.1.0

func NewPublishingPermissionListType() *PublishingPermissionListType

Generates a new object as a pointer to a struct

func PublishingPermissionListTypePointer

func PublishingPermissionListTypePointer(value interface{}) (*PublishingPermissionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PublishingPermissionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PublishingPermissionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PublishingPermissionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PublishingPermissionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PublishingPermissionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PublishingPermissionListType) Len

Length of the list.

func (*PublishingPermissionListType) ToSlice added in v0.1.0

Convert list object to slice

type PublishingPermissionType

type PublishingPermissionType struct {
	// contains filtered or unexported fields
}

func NewPublishingPermissionType added in v0.1.0

func NewPublishingPermissionType() *PublishingPermissionType

Generates a new object as a pointer to a struct

func PublishingPermissionTypePointer

func PublishingPermissionTypePointer(value interface{}) (*PublishingPermissionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PublishingPermissionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PublishingPermissionType) PermissionCategory

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PublishingPermissionType) PermissionCategory_IsNil

func (s *PublishingPermissionType) PermissionCategory_IsNil() bool

Returns whether the element value for PermissionCategory is nil in the container PublishingPermissionType.

func (*PublishingPermissionType) PermissionValue

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PublishingPermissionType) PermissionValue_IsNil

func (s *PublishingPermissionType) PermissionValue_IsNil() bool

Returns whether the element value for PermissionValue is nil in the container PublishingPermissionType.

func (*PublishingPermissionType) SetProperties

func (n *PublishingPermissionType) SetProperties(props ...Prop) *PublishingPermissionType

Set a sequence of properties

func (*PublishingPermissionType) SetProperty

func (n *PublishingPermissionType) SetProperty(key string, value interface{}) *PublishingPermissionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PublishingPermissionType) Unset

Set the value of a property to nil

type PurchaseOrder

type PurchaseOrder struct {
	// contains filtered or unexported fields
}

func NewPurchaseOrder added in v0.1.0

func NewPurchaseOrder() *PurchaseOrder

Generates a new object as a pointer to a struct

func PurchaseOrderPointer

func PurchaseOrderPointer(value interface{}) (*PurchaseOrder, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func PurchaseOrderSlice

func PurchaseOrderSlice() []*PurchaseOrder

Create a slice of pointers to the object type

func (*PurchaseOrder) ChargedLocationInfoRefId

func (s *PurchaseOrder) ChargedLocationInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) ChargedLocationInfoRefId_IsNil

func (s *PurchaseOrder) ChargedLocationInfoRefId_IsNil() bool

Returns whether the element value for ChargedLocationInfoRefId is nil in the container PurchaseOrder.

func (*PurchaseOrder) Clone

func (t *PurchaseOrder) Clone() *PurchaseOrder

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PurchaseOrder) CreationDate

func (s *PurchaseOrder) CreationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) CreationDate_IsNil

func (s *PurchaseOrder) CreationDate_IsNil() bool

Returns whether the element value for CreationDate is nil in the container PurchaseOrder.

func (*PurchaseOrder) EmployeePersonalRefId

func (s *PurchaseOrder) EmployeePersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) EmployeePersonalRefId_IsNil

func (s *PurchaseOrder) EmployeePersonalRefId_IsNil() bool

Returns whether the element value for EmployeePersonalRefId is nil in the container PurchaseOrder.

func (*PurchaseOrder) FormNumber

func (s *PurchaseOrder) FormNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) FormNumber_IsNil

func (s *PurchaseOrder) FormNumber_IsNil() bool

Returns whether the element value for FormNumber is nil in the container PurchaseOrder.

func (*PurchaseOrder) FullyDelivered

func (s *PurchaseOrder) FullyDelivered() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) FullyDelivered_IsNil

func (s *PurchaseOrder) FullyDelivered_IsNil() bool

Returns whether the element value for FullyDelivered is nil in the container PurchaseOrder.

func (*PurchaseOrder) LocalCodeList

func (s *PurchaseOrder) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) LocalCodeList_IsNil

func (s *PurchaseOrder) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container PurchaseOrder.

func (*PurchaseOrder) LocalId

func (s *PurchaseOrder) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) LocalId_IsNil

func (s *PurchaseOrder) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container PurchaseOrder.

func (*PurchaseOrder) OriginalPurchaseOrderRefId

func (s *PurchaseOrder) OriginalPurchaseOrderRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) OriginalPurchaseOrderRefId_IsNil

func (s *PurchaseOrder) OriginalPurchaseOrderRefId_IsNil() bool

Returns whether the element value for OriginalPurchaseOrderRefId is nil in the container PurchaseOrder.

func (*PurchaseOrder) PurchasingItems

func (s *PurchaseOrder) PurchasingItems() *PurchasingItemsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) PurchasingItems_IsNil

func (s *PurchaseOrder) PurchasingItems_IsNil() bool

Returns whether the element value for PurchasingItems is nil in the container PurchaseOrder.

func (*PurchaseOrder) RefId

func (s *PurchaseOrder) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) RefId_IsNil

func (s *PurchaseOrder) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container PurchaseOrder.

func (*PurchaseOrder) SIF_ExtendedElements

func (s *PurchaseOrder) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) SIF_ExtendedElements_IsNil

func (s *PurchaseOrder) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container PurchaseOrder.

func (*PurchaseOrder) SIF_Metadata

func (s *PurchaseOrder) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) SIF_Metadata_IsNil

func (s *PurchaseOrder) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container PurchaseOrder.

func (*PurchaseOrder) SetProperties

func (n *PurchaseOrder) SetProperties(props ...Prop) *PurchaseOrder

Set a sequence of properties

func (*PurchaseOrder) SetProperty

func (n *PurchaseOrder) SetProperty(key string, value interface{}) *PurchaseOrder

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PurchaseOrder) TaxAmount

func (s *PurchaseOrder) TaxAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) TaxAmount_IsNil

func (s *PurchaseOrder) TaxAmount_IsNil() bool

Returns whether the element value for TaxAmount is nil in the container PurchaseOrder.

func (*PurchaseOrder) TaxRate

func (s *PurchaseOrder) TaxRate() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) TaxRate_IsNil

func (s *PurchaseOrder) TaxRate_IsNil() bool

Returns whether the element value for TaxRate is nil in the container PurchaseOrder.

func (*PurchaseOrder) TotalAmount

func (s *PurchaseOrder) TotalAmount() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) TotalAmount_IsNil

func (s *PurchaseOrder) TotalAmount_IsNil() bool

Returns whether the element value for TotalAmount is nil in the container PurchaseOrder.

func (*PurchaseOrder) Unset

func (n *PurchaseOrder) Unset(key string) *PurchaseOrder

Set the value of a property to nil

func (*PurchaseOrder) UpdateDate

func (s *PurchaseOrder) UpdateDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) UpdateDate_IsNil

func (s *PurchaseOrder) UpdateDate_IsNil() bool

Returns whether the element value for UpdateDate is nil in the container PurchaseOrder.

func (*PurchaseOrder) VendorInfoRefId

func (s *PurchaseOrder) VendorInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchaseOrder) VendorInfoRefId_IsNil

func (s *PurchaseOrder) VendorInfoRefId_IsNil() bool

Returns whether the element value for VendorInfoRefId is nil in the container PurchaseOrder.

type PurchaseOrders

type PurchaseOrders struct {
	// contains filtered or unexported fields
}

func NewPurchaseOrders added in v0.1.0

func NewPurchaseOrders() *PurchaseOrders

Generates a new object as a pointer to a struct

func PurchaseOrdersPointer added in v0.1.0

func PurchaseOrdersPointer(value interface{}) (*PurchaseOrders, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PurchaseOrders) AddNew added in v0.1.0

func (t *PurchaseOrders) AddNew() *PurchaseOrders

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PurchaseOrders) Append added in v0.1.0

func (t *PurchaseOrders) Append(values ...*PurchaseOrder) *PurchaseOrders

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PurchaseOrders) Clone added in v0.1.0

func (t *PurchaseOrders) Clone() *PurchaseOrders

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PurchaseOrders) Index added in v0.1.0

func (t *PurchaseOrders) Index(n int) *PurchaseOrder

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*PurchaseOrders) Last added in v0.1.0

func (t *PurchaseOrders) Last() *purchaseorder

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PurchaseOrders) Len added in v0.1.0

func (t *PurchaseOrders) Len() int

Length of the list.

func (*PurchaseOrders) ToSlice added in v0.1.0

func (t *PurchaseOrders) ToSlice() []*PurchaseOrder

Convert list object to slice

type PurchasingItemType

type PurchasingItemType struct {
	// contains filtered or unexported fields
}

func NewPurchasingItemType added in v0.1.0

func NewPurchasingItemType() *PurchasingItemType

Generates a new object as a pointer to a struct

func PurchasingItemTypePointer

func PurchasingItemTypePointer(value interface{}) (*PurchasingItemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PurchasingItemType) CancelledOrder

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) CancelledOrder_IsNil

func (s *PurchasingItemType) CancelledOrder_IsNil() bool

Returns whether the element value for CancelledOrder is nil in the container PurchasingItemType.

func (*PurchasingItemType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PurchasingItemType) ExpenseAccounts

func (s *PurchasingItemType) ExpenseAccounts() *ExpenseAccountsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) ExpenseAccounts_IsNil

func (s *PurchasingItemType) ExpenseAccounts_IsNil() bool

Returns whether the element value for ExpenseAccounts is nil in the container PurchasingItemType.

func (*PurchasingItemType) ItemDescription

func (s *PurchasingItemType) ItemDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) ItemDescription_IsNil

func (s *PurchasingItemType) ItemDescription_IsNil() bool

Returns whether the element value for ItemDescription is nil in the container PurchasingItemType.

func (*PurchasingItemType) ItemNumber

func (s *PurchasingItemType) ItemNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) ItemNumber_IsNil

func (s *PurchasingItemType) ItemNumber_IsNil() bool

Returns whether the element value for ItemNumber is nil in the container PurchasingItemType.

func (*PurchasingItemType) LocalItemId

func (s *PurchasingItemType) LocalItemId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) LocalItemId_IsNil

func (s *PurchasingItemType) LocalItemId_IsNil() bool

Returns whether the element value for LocalItemId is nil in the container PurchasingItemType.

func (*PurchasingItemType) Quantity

func (s *PurchasingItemType) Quantity() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) QuantityDelivered

func (s *PurchasingItemType) QuantityDelivered() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) QuantityDelivered_IsNil

func (s *PurchasingItemType) QuantityDelivered_IsNil() bool

Returns whether the element value for QuantityDelivered is nil in the container PurchasingItemType.

func (*PurchasingItemType) Quantity_IsNil

func (s *PurchasingItemType) Quantity_IsNil() bool

Returns whether the element value for Quantity is nil in the container PurchasingItemType.

func (*PurchasingItemType) SetProperties

func (n *PurchasingItemType) SetProperties(props ...Prop) *PurchasingItemType

Set a sequence of properties

func (*PurchasingItemType) SetProperty

func (n *PurchasingItemType) SetProperty(key string, value interface{}) *PurchasingItemType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PurchasingItemType) TaxRate

func (s *PurchasingItemType) TaxRate() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) TaxRate_IsNil

func (s *PurchasingItemType) TaxRate_IsNil() bool

Returns whether the element value for TaxRate is nil in the container PurchasingItemType.

func (*PurchasingItemType) TotalCost

func (s *PurchasingItemType) TotalCost() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) TotalCost_IsNil

func (s *PurchasingItemType) TotalCost_IsNil() bool

Returns whether the element value for TotalCost is nil in the container PurchasingItemType.

func (*PurchasingItemType) UnitCost

func (s *PurchasingItemType) UnitCost() *MonetaryAmountType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*PurchasingItemType) UnitCost_IsNil

func (s *PurchasingItemType) UnitCost_IsNil() bool

Returns whether the element value for UnitCost is nil in the container PurchasingItemType.

func (*PurchasingItemType) Unset

Set the value of a property to nil

type PurchasingItemsType

type PurchasingItemsType struct {
	// contains filtered or unexported fields
}

func NewPurchasingItemsType added in v0.1.0

func NewPurchasingItemsType() *PurchasingItemsType

Generates a new object as a pointer to a struct

func PurchasingItemsTypePointer

func PurchasingItemsTypePointer(value interface{}) (*PurchasingItemsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*PurchasingItemsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*PurchasingItemsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*PurchasingItemsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*PurchasingItemsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*PurchasingItemsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*PurchasingItemsType) Len

func (t *PurchasingItemsType) Len() int

Length of the list.

func (*PurchasingItemsType) ToSlice added in v0.1.0

func (t *PurchasingItemsType) ToSlice() []*PurchasingItemType

Convert list object to slice

type RecognitionListType

type RecognitionListType struct {
	// contains filtered or unexported fields
}

func NewRecognitionListType added in v0.1.0

func NewRecognitionListType() *RecognitionListType

Generates a new object as a pointer to a struct

func RecognitionListTypePointer

func RecognitionListTypePointer(value interface{}) (*RecognitionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RecognitionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*RecognitionListType) Append

func (t *RecognitionListType) Append(values ...string) *RecognitionListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RecognitionListType) AppendString

func (t *RecognitionListType) AppendString(value string) *RecognitionListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*RecognitionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RecognitionListType) Index

func (t *RecognitionListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*RecognitionListType) Last

func (t *RecognitionListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*RecognitionListType) Len

func (t *RecognitionListType) Len() int

Length of the list.

func (*RecognitionListType) ToSlice added in v0.1.0

func (t *RecognitionListType) ToSlice() []*string

Convert list object to slice

type RefIdType

type RefIdType GUIDType

func RefIdTypePointer

func RefIdTypePointer(value interface{}) (*RefIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches RefIdType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*RefIdType) String

func (t *RefIdType) String() string

Return string value

type ReferenceDataType

type ReferenceDataType struct {
	// contains filtered or unexported fields
}

func NewReferenceDataType added in v0.1.0

func NewReferenceDataType() *ReferenceDataType

Generates a new object as a pointer to a struct

func ReferenceDataTypePointer

func ReferenceDataTypePointer(value interface{}) (*ReferenceDataType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReferenceDataType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReferenceDataType) Description

func (s *ReferenceDataType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReferenceDataType) Description_IsNil

func (s *ReferenceDataType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ReferenceDataType.

func (*ReferenceDataType) MIMEType

func (s *ReferenceDataType) MIMEType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReferenceDataType) MIMEType_IsNil

func (s *ReferenceDataType) MIMEType_IsNil() bool

Returns whether the element value for MIMEType is nil in the container ReferenceDataType.

func (*ReferenceDataType) SetProperties

func (n *ReferenceDataType) SetProperties(props ...Prop) *ReferenceDataType

Set a sequence of properties

func (*ReferenceDataType) SetProperty

func (n *ReferenceDataType) SetProperty(key string, value interface{}) *ReferenceDataType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReferenceDataType) URL

func (s *ReferenceDataType) URL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReferenceDataType) URL_IsNil

func (s *ReferenceDataType) URL_IsNil() bool

Returns whether the element value for URL is nil in the container ReferenceDataType.

func (*ReferenceDataType) Unset

Set the value of a property to nil

type ReferralSourceType

type ReferralSourceType struct {
	// contains filtered or unexported fields
}

func NewReferralSourceType added in v0.1.0

func NewReferralSourceType() *ReferralSourceType

Generates a new object as a pointer to a struct

func ReferralSourceTypePointer

func ReferralSourceTypePointer(value interface{}) (*ReferralSourceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReferralSourceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReferralSourceType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReferralSourceType) Code_IsNil

func (s *ReferralSourceType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ReferralSourceType.

func (*ReferralSourceType) OtherCodeList

func (s *ReferralSourceType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReferralSourceType) OtherCodeList_IsNil

func (s *ReferralSourceType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container ReferralSourceType.

func (*ReferralSourceType) SetProperties

func (n *ReferralSourceType) SetProperties(props ...Prop) *ReferralSourceType

Set a sequence of properties

func (*ReferralSourceType) SetProperty

func (n *ReferralSourceType) SetProperty(key string, value interface{}) *ReferralSourceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReferralSourceType) Unset

Set the value of a property to nil

type RelatedLearningStandardItemRefIdListType

type RelatedLearningStandardItemRefIdListType struct {
	// contains filtered or unexported fields
}

func NewRelatedLearningStandardItemRefIdListType added in v0.1.0

func NewRelatedLearningStandardItemRefIdListType() *RelatedLearningStandardItemRefIdListType

Generates a new object as a pointer to a struct

func RelatedLearningStandardItemRefIdListTypePointer

func RelatedLearningStandardItemRefIdListTypePointer(value interface{}) (*RelatedLearningStandardItemRefIdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RelatedLearningStandardItemRefIdListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*RelatedLearningStandardItemRefIdListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RelatedLearningStandardItemRefIdListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RelatedLearningStandardItemRefIdListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*RelatedLearningStandardItemRefIdListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*RelatedLearningStandardItemRefIdListType) Len

Length of the list.

func (*RelatedLearningStandardItemRefIdListType) ToSlice added in v0.1.0

Convert list object to slice

type RelatedLearningStandardItemRefIdType

type RelatedLearningStandardItemRefIdType struct {
	// contains filtered or unexported fields
}

func NewRelatedLearningStandardItemRefIdType added in v0.1.0

func NewRelatedLearningStandardItemRefIdType() *RelatedLearningStandardItemRefIdType

Generates a new object as a pointer to a struct

func RelatedLearningStandardItemRefIdTypePointer

func RelatedLearningStandardItemRefIdTypePointer(value interface{}) (*RelatedLearningStandardItemRefIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RelatedLearningStandardItemRefIdType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RelatedLearningStandardItemRefIdType) RelationshipType

func (s *RelatedLearningStandardItemRefIdType) RelationshipType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RelatedLearningStandardItemRefIdType) RelationshipType_IsNil

func (s *RelatedLearningStandardItemRefIdType) RelationshipType_IsNil() bool

Returns whether the element value for RelationshipType is nil in the container RelatedLearningStandardItemRefIdType.

func (*RelatedLearningStandardItemRefIdType) SetProperties

Set a sequence of properties

func (*RelatedLearningStandardItemRefIdType) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RelatedLearningStandardItemRefIdType) Unset

Set the value of a property to nil

func (*RelatedLearningStandardItemRefIdType) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RelatedLearningStandardItemRefIdType) Value_IsNil

func (s *RelatedLearningStandardItemRefIdType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container RelatedLearningStandardItemRefIdType.

type RelationshipType

type RelationshipType struct {
	// contains filtered or unexported fields
}

func NewRelationshipType added in v0.1.0

func NewRelationshipType() *RelationshipType

Generates a new object as a pointer to a struct

func RelationshipTypePointer

func RelationshipTypePointer(value interface{}) (*RelationshipType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RelationshipType) Clone

func (t *RelationshipType) Clone() *RelationshipType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RelationshipType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RelationshipType) Code_IsNil

func (s *RelationshipType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container RelationshipType.

func (*RelationshipType) OtherCodeList

func (s *RelationshipType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RelationshipType) OtherCodeList_IsNil

func (s *RelationshipType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container RelationshipType.

func (*RelationshipType) SetProperties

func (n *RelationshipType) SetProperties(props ...Prop) *RelationshipType

Set a sequence of properties

func (*RelationshipType) SetProperty

func (n *RelationshipType) SetProperty(key string, value interface{}) *RelationshipType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RelationshipType) Unset

func (n *RelationshipType) Unset(key string) *RelationshipType

Set the value of a property to nil

type ReligionType

type ReligionType struct {
	// contains filtered or unexported fields
}

func NewReligionType added in v0.1.0

func NewReligionType() *ReligionType

Generates a new object as a pointer to a struct

func ReligionTypePointer

func ReligionTypePointer(value interface{}) (*ReligionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReligionType) Clone

func (t *ReligionType) Clone() *ReligionType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReligionType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReligionType) Code_IsNil

func (s *ReligionType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ReligionType.

func (*ReligionType) OtherCodeList

func (s *ReligionType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReligionType) OtherCodeList_IsNil

func (s *ReligionType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container ReligionType.

func (*ReligionType) SetProperties

func (n *ReligionType) SetProperties(props ...Prop) *ReligionType

Set a sequence of properties

func (*ReligionType) SetProperty

func (n *ReligionType) SetProperty(key string, value interface{}) *ReligionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReligionType) Unset

func (n *ReligionType) Unset(key string) *ReligionType

Set the value of a property to nil

type ReligiousEventListType

type ReligiousEventListType struct {
	// contains filtered or unexported fields
}

func NewReligiousEventListType added in v0.1.0

func NewReligiousEventListType() *ReligiousEventListType

Generates a new object as a pointer to a struct

func ReligiousEventListTypePointer

func ReligiousEventListTypePointer(value interface{}) (*ReligiousEventListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReligiousEventListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ReligiousEventListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReligiousEventListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReligiousEventListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ReligiousEventListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ReligiousEventListType) Len

func (t *ReligiousEventListType) Len() int

Length of the list.

func (*ReligiousEventListType) ToSlice added in v0.1.0

Convert list object to slice

type ReligiousEventType

type ReligiousEventType struct {
	// contains filtered or unexported fields
}

func NewReligiousEventType added in v0.1.0

func NewReligiousEventType() *ReligiousEventType

Generates a new object as a pointer to a struct

func ReligiousEventTypePointer

func ReligiousEventTypePointer(value interface{}) (*ReligiousEventType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReligiousEventType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReligiousEventType) Date

func (s *ReligiousEventType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReligiousEventType) Date_IsNil

func (s *ReligiousEventType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container ReligiousEventType.

func (*ReligiousEventType) SetProperties

func (n *ReligiousEventType) SetProperties(props ...Prop) *ReligiousEventType

Set a sequence of properties

func (*ReligiousEventType) SetProperty

func (n *ReligiousEventType) SetProperty(key string, value interface{}) *ReligiousEventType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReligiousEventType) Type

func (s *ReligiousEventType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReligiousEventType) Type_IsNil

func (s *ReligiousEventType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container ReligiousEventType.

func (*ReligiousEventType) Unset

Set the value of a property to nil

type ReportDataObjectType

type ReportDataObjectType string

func ReportDataObjectTypePointer

func ReportDataObjectTypePointer(value interface{}) (*ReportDataObjectType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ReportDataObjectType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ReportDataObjectType) String

func (t *ReportDataObjectType) String() string

Return string value

type ReportingAuthorityListType

type ReportingAuthorityListType struct {
	// contains filtered or unexported fields
}

func NewReportingAuthorityListType added in v0.1.0

func NewReportingAuthorityListType() *ReportingAuthorityListType

Generates a new object as a pointer to a struct

func ReportingAuthorityListTypePointer

func ReportingAuthorityListTypePointer(value interface{}) (*ReportingAuthorityListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReportingAuthorityListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ReportingAuthorityListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReportingAuthorityListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReportingAuthorityListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ReportingAuthorityListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ReportingAuthorityListType) Len

Length of the list.

func (*ReportingAuthorityListType) ToSlice added in v0.1.0

Convert list object to slice

type ReportingAuthorityType

type ReportingAuthorityType struct {
	// contains filtered or unexported fields
}

func NewReportingAuthorityType added in v0.1.0

func NewReportingAuthorityType() *ReportingAuthorityType

Generates a new object as a pointer to a struct

func ReportingAuthorityTypePointer

func ReportingAuthorityTypePointer(value interface{}) (*ReportingAuthorityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ReportingAuthorityType) AuthorityId

func (s *ReportingAuthorityType) AuthorityId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReportingAuthorityType) AuthorityId_IsNil

func (s *ReportingAuthorityType) AuthorityId_IsNil() bool

Returns whether the element value for AuthorityId is nil in the container ReportingAuthorityType.

func (*ReportingAuthorityType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ReportingAuthorityType) Name

func (s *ReportingAuthorityType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReportingAuthorityType) Name_IsNil

func (s *ReportingAuthorityType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container ReportingAuthorityType.

func (*ReportingAuthorityType) SetProperties

func (n *ReportingAuthorityType) SetProperties(props ...Prop) *ReportingAuthorityType

Set a sequence of properties

func (*ReportingAuthorityType) SetProperty

func (n *ReportingAuthorityType) SetProperty(key string, value interface{}) *ReportingAuthorityType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ReportingAuthorityType) System

func (s *ReportingAuthorityType) System() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ReportingAuthorityType) System_IsNil

func (s *ReportingAuthorityType) System_IsNil() bool

Returns whether the element value for System is nil in the container ReportingAuthorityType.

func (*ReportingAuthorityType) Unset

Set the value of a property to nil

type ResourceBooking

type ResourceBooking struct {
	// contains filtered or unexported fields
}

func NewResourceBooking added in v0.1.0

func NewResourceBooking() *ResourceBooking

Generates a new object as a pointer to a struct

func ResourceBookingPointer

func ResourceBookingPointer(value interface{}) (*ResourceBooking, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func ResourceBookingSlice

func ResourceBookingSlice() []*ResourceBooking

Create a slice of pointers to the object type

func (*ResourceBooking) Booker

func (s *ResourceBooking) Booker() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) Booker_IsNil

func (s *ResourceBooking) Booker_IsNil() bool

Returns whether the element value for Booker is nil in the container ResourceBooking.

func (*ResourceBooking) Clone

func (t *ResourceBooking) Clone() *ResourceBooking

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ResourceBooking) FinishDateTime

func (s *ResourceBooking) FinishDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) FinishDateTime_IsNil

func (s *ResourceBooking) FinishDateTime_IsNil() bool

Returns whether the element value for FinishDateTime is nil in the container ResourceBooking.

func (*ResourceBooking) FromPeriod

func (s *ResourceBooking) FromPeriod() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) FromPeriod_IsNil

func (s *ResourceBooking) FromPeriod_IsNil() bool

Returns whether the element value for FromPeriod is nil in the container ResourceBooking.

func (*ResourceBooking) KeepOld

func (s *ResourceBooking) KeepOld() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) KeepOld_IsNil

func (s *ResourceBooking) KeepOld_IsNil() bool

Returns whether the element value for KeepOld is nil in the container ResourceBooking.

func (*ResourceBooking) LocalCodeList

func (s *ResourceBooking) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) LocalCodeList_IsNil

func (s *ResourceBooking) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container ResourceBooking.

func (*ResourceBooking) Reason

func (s *ResourceBooking) Reason() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) Reason_IsNil

func (s *ResourceBooking) Reason_IsNil() bool

Returns whether the element value for Reason is nil in the container ResourceBooking.

func (*ResourceBooking) RefId

func (s *ResourceBooking) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) RefId_IsNil

func (s *ResourceBooking) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container ResourceBooking.

func (*ResourceBooking) ResourceLocalId

func (s *ResourceBooking) ResourceLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) ResourceLocalId_IsNil

func (s *ResourceBooking) ResourceLocalId_IsNil() bool

Returns whether the element value for ResourceLocalId is nil in the container ResourceBooking.

func (*ResourceBooking) ResourceRefId

func (s *ResourceBooking) ResourceRefId() *ResourceBooking_ResourceRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) ResourceRefId_IsNil

func (s *ResourceBooking) ResourceRefId_IsNil() bool

Returns whether the element value for ResourceRefId is nil in the container ResourceBooking.

func (*ResourceBooking) SIF_ExtendedElements

func (s *ResourceBooking) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) SIF_ExtendedElements_IsNil

func (s *ResourceBooking) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container ResourceBooking.

func (*ResourceBooking) SIF_Metadata

func (s *ResourceBooking) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) SIF_Metadata_IsNil

func (s *ResourceBooking) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container ResourceBooking.

func (*ResourceBooking) ScheduledActivityRefId

func (s *ResourceBooking) ScheduledActivityRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) ScheduledActivityRefId_IsNil

func (s *ResourceBooking) ScheduledActivityRefId_IsNil() bool

Returns whether the element value for ScheduledActivityRefId is nil in the container ResourceBooking.

func (*ResourceBooking) SetProperties

func (n *ResourceBooking) SetProperties(props ...Prop) *ResourceBooking

Set a sequence of properties

func (*ResourceBooking) SetProperty

func (n *ResourceBooking) SetProperty(key string, value interface{}) *ResourceBooking

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ResourceBooking) StartDateTime

func (s *ResourceBooking) StartDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) StartDateTime_IsNil

func (s *ResourceBooking) StartDateTime_IsNil() bool

Returns whether the element value for StartDateTime is nil in the container ResourceBooking.

func (*ResourceBooking) ToPeriod

func (s *ResourceBooking) ToPeriod() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking) ToPeriod_IsNil

func (s *ResourceBooking) ToPeriod_IsNil() bool

Returns whether the element value for ToPeriod is nil in the container ResourceBooking.

func (*ResourceBooking) Unset

func (n *ResourceBooking) Unset(key string) *ResourceBooking

Set the value of a property to nil

type ResourceBooking_ResourceRefId

type ResourceBooking_ResourceRefId struct {
	// contains filtered or unexported fields
}

func NewResourceBooking_ResourceRefId added in v0.1.0

func NewResourceBooking_ResourceRefId() *ResourceBooking_ResourceRefId

Generates a new object as a pointer to a struct

func ResourceBooking_ResourceRefIdPointer

func ResourceBooking_ResourceRefIdPointer(value interface{}) (*ResourceBooking_ResourceRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ResourceBooking_ResourceRefId) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ResourceBooking_ResourceRefId) SIF_RefObject

func (s *ResourceBooking_ResourceRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking_ResourceRefId) SIF_RefObject_IsNil

func (s *ResourceBooking_ResourceRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container ResourceBooking_ResourceRefId.

func (*ResourceBooking_ResourceRefId) SetProperties

Set a sequence of properties

func (*ResourceBooking_ResourceRefId) SetProperty

func (n *ResourceBooking_ResourceRefId) SetProperty(key string, value interface{}) *ResourceBooking_ResourceRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ResourceBooking_ResourceRefId) Unset

Set the value of a property to nil

func (*ResourceBooking_ResourceRefId) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourceBooking_ResourceRefId) Value_IsNil

func (s *ResourceBooking_ResourceRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container ResourceBooking_ResourceRefId.

type ResourceBookings

type ResourceBookings struct {
	// contains filtered or unexported fields
}

func NewResourceBookings added in v0.1.0

func NewResourceBookings() *ResourceBookings

Generates a new object as a pointer to a struct

func ResourceBookingsPointer added in v0.1.0

func ResourceBookingsPointer(value interface{}) (*ResourceBookings, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ResourceBookings) AddNew added in v0.1.0

func (t *ResourceBookings) AddNew() *ResourceBookings

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ResourceBookings) Append added in v0.1.0

func (t *ResourceBookings) Append(values ...*ResourceBooking) *ResourceBookings

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ResourceBookings) Clone added in v0.1.0

func (t *ResourceBookings) Clone() *ResourceBookings

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ResourceBookings) Index added in v0.1.0

func (t *ResourceBookings) Index(n int) *ResourceBooking

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*ResourceBookings) Last added in v0.1.0

func (t *ResourceBookings) Last() *resourcebooking

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ResourceBookings) Len added in v0.1.0

func (t *ResourceBookings) Len() int

Length of the list.

func (*ResourceBookings) ToSlice added in v0.1.0

func (t *ResourceBookings) ToSlice() []*ResourceBooking

Convert list object to slice

type ResourcesType

type ResourcesType struct {
	// contains filtered or unexported fields
}

func NewResourcesType added in v0.1.0

func NewResourcesType() *ResourcesType

Generates a new object as a pointer to a struct

func ResourcesTypePointer

func ResourcesTypePointer(value interface{}) (*ResourcesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ResourcesType) Clone

func (t *ResourcesType) Clone() *ResourcesType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ResourcesType) ResourceType

func (s *ResourcesType) ResourceType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourcesType) ResourceType_IsNil

func (s *ResourcesType) ResourceType_IsNil() bool

Returns whether the element value for ResourceType is nil in the container ResourcesType.

func (*ResourcesType) SetProperties

func (n *ResourcesType) SetProperties(props ...Prop) *ResourcesType

Set a sequence of properties

func (*ResourcesType) SetProperty

func (n *ResourcesType) SetProperty(key string, value interface{}) *ResourcesType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ResourcesType) Unset

func (n *ResourcesType) Unset(key string) *ResourcesType

Set the value of a property to nil

func (*ResourcesType) Value

func (s *ResourcesType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ResourcesType) Value_IsNil

func (s *ResourcesType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container ResourcesType.

type RoomInfo

type RoomInfo struct {
	// contains filtered or unexported fields
}

func NewRoomInfo added in v0.1.0

func NewRoomInfo() *RoomInfo

Generates a new object as a pointer to a struct

func RoomInfoPointer

func RoomInfoPointer(value interface{}) (*RoomInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func RoomInfoSlice

func RoomInfoSlice() []*RoomInfo

Create a slice of pointers to the object type

func (*RoomInfo) AvailableForTimetable

func (s *RoomInfo) AvailableForTimetable() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) AvailableForTimetable_IsNil

func (s *RoomInfo) AvailableForTimetable_IsNil() bool

Returns whether the element value for AvailableForTimetable is nil in the container RoomInfo.

func (*RoomInfo) Building

func (s *RoomInfo) Building() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) Building_IsNil

func (s *RoomInfo) Building_IsNil() bool

Returns whether the element value for Building is nil in the container RoomInfo.

func (*RoomInfo) Capacity

func (s *RoomInfo) Capacity() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) Capacity_IsNil

func (s *RoomInfo) Capacity_IsNil() bool

Returns whether the element value for Capacity is nil in the container RoomInfo.

func (*RoomInfo) Clone

func (t *RoomInfo) Clone() *RoomInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RoomInfo) Description

func (s *RoomInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) Description_IsNil

func (s *RoomInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container RoomInfo.

func (*RoomInfo) HomeroomNumber

func (s *RoomInfo) HomeroomNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) HomeroomNumber_IsNil

func (s *RoomInfo) HomeroomNumber_IsNil() bool

Returns whether the element value for HomeroomNumber is nil in the container RoomInfo.

func (*RoomInfo) LocalCodeList

func (s *RoomInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) LocalCodeList_IsNil

func (s *RoomInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container RoomInfo.

func (*RoomInfo) LocalId

func (s *RoomInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) LocalId_IsNil

func (s *RoomInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container RoomInfo.

func (*RoomInfo) PhoneNumber

func (s *RoomInfo) PhoneNumber() *PhoneNumberType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) PhoneNumber_IsNil

func (s *RoomInfo) PhoneNumber_IsNil() bool

Returns whether the element value for PhoneNumber is nil in the container RoomInfo.

func (*RoomInfo) RefId

func (s *RoomInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) RefId_IsNil

func (s *RoomInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container RoomInfo.

func (*RoomInfo) RoomNumber

func (s *RoomInfo) RoomNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) RoomNumber_IsNil

func (s *RoomInfo) RoomNumber_IsNil() bool

Returns whether the element value for RoomNumber is nil in the container RoomInfo.

func (*RoomInfo) RoomType

func (s *RoomInfo) RoomType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) RoomType_IsNil

func (s *RoomInfo) RoomType_IsNil() bool

Returns whether the element value for RoomType is nil in the container RoomInfo.

func (*RoomInfo) SIF_ExtendedElements

func (s *RoomInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) SIF_ExtendedElements_IsNil

func (s *RoomInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container RoomInfo.

func (*RoomInfo) SIF_Metadata

func (s *RoomInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) SIF_Metadata_IsNil

func (s *RoomInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container RoomInfo.

func (*RoomInfo) SchoolInfoRefId

func (s *RoomInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) SchoolInfoRefId_IsNil

func (s *RoomInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container RoomInfo.

func (*RoomInfo) SetProperties

func (n *RoomInfo) SetProperties(props ...Prop) *RoomInfo

Set a sequence of properties

func (*RoomInfo) SetProperty

func (n *RoomInfo) SetProperty(key string, value interface{}) *RoomInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RoomInfo) Size

func (s *RoomInfo) Size() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) Size_IsNil

func (s *RoomInfo) Size_IsNil() bool

Returns whether the element value for Size is nil in the container RoomInfo.

func (*RoomInfo) StaffList

func (s *RoomInfo) StaffList() *StaffListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*RoomInfo) StaffList_IsNil

func (s *RoomInfo) StaffList_IsNil() bool

Returns whether the element value for StaffList is nil in the container RoomInfo.

func (*RoomInfo) Unset

func (n *RoomInfo) Unset(key string) *RoomInfo

Set the value of a property to nil

type RoomInfos

type RoomInfos struct {
	// contains filtered or unexported fields
}

func NewRoomInfos added in v0.1.0

func NewRoomInfos() *RoomInfos

Generates a new object as a pointer to a struct

func RoomInfosPointer added in v0.1.0

func RoomInfosPointer(value interface{}) (*RoomInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RoomInfos) AddNew added in v0.1.0

func (t *RoomInfos) AddNew() *RoomInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*RoomInfos) Append added in v0.1.0

func (t *RoomInfos) Append(values ...*RoomInfo) *RoomInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RoomInfos) Clone added in v0.1.0

func (t *RoomInfos) Clone() *RoomInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RoomInfos) Index added in v0.1.0

func (t *RoomInfos) Index(n int) *RoomInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*RoomInfos) Last added in v0.1.0

func (t *RoomInfos) Last() *roominfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*RoomInfos) Len added in v0.1.0

func (t *RoomInfos) Len() int

Length of the list.

func (*RoomInfos) ToSlice added in v0.1.0

func (t *RoomInfos) ToSlice() []*RoomInfo

Convert list object to slice

type RoomListType

type RoomListType struct {
	// contains filtered or unexported fields
}

func NewRoomListType added in v0.1.0

func NewRoomListType() *RoomListType

Generates a new object as a pointer to a struct

func RoomListTypePointer

func RoomListTypePointer(value interface{}) (*RoomListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*RoomListType) AddNew

func (t *RoomListType) AddNew() *RoomListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*RoomListType) Append

func (t *RoomListType) Append(values ...string) *RoomListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*RoomListType) AppendString

func (t *RoomListType) AppendString(value string) *RoomListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*RoomListType) Clone

func (t *RoomListType) Clone() *RoomListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*RoomListType) Index

func (t *RoomListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*RoomListType) Last

func (t *RoomListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*RoomListType) Len

func (t *RoomListType) Len() int

Length of the list.

func (*RoomListType) ToSlice added in v0.1.0

func (t *RoomListType) ToSlice() []*string

Convert list object to slice

type SIF_ExtendedElementsType

type SIF_ExtendedElementsType struct {
	// contains filtered or unexported fields
}

func NewSIF_ExtendedElementsType added in v0.1.0

func NewSIF_ExtendedElementsType() *SIF_ExtendedElementsType

Generates a new object as a pointer to a struct

func SIF_ExtendedElementsTypePointer

func SIF_ExtendedElementsTypePointer(value interface{}) (*SIF_ExtendedElementsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SIF_ExtendedElementsType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SIF_ExtendedElementsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SIF_ExtendedElementsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SIF_ExtendedElementsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SIF_ExtendedElementsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SIF_ExtendedElementsType) Len

func (t *SIF_ExtendedElementsType) Len() int

Length of the list.

func (*SIF_ExtendedElementsType) ToSlice added in v0.1.0

Convert list object to slice

type SIF_ExtendedElementsType_SIF_ExtendedElement

type SIF_ExtendedElementsType_SIF_ExtendedElement struct {
	// contains filtered or unexported fields
}

func NewSIF_ExtendedElementsType_SIF_ExtendedElement added in v0.1.0

func NewSIF_ExtendedElementsType_SIF_ExtendedElement() *SIF_ExtendedElementsType_SIF_ExtendedElement

Generates a new object as a pointer to a struct

func SIF_ExtendedElementsType_SIF_ExtendedElementPointer

func SIF_ExtendedElementsType_SIF_ExtendedElementPointer(value interface{}) (*SIF_ExtendedElementsType_SIF_ExtendedElement, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Name

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Name_IsNil

Returns whether the element value for Name is nil in the container SIF_ExtendedElementsType_SIF_ExtendedElement.

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) SIF_Action

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) SIF_Action_IsNil

func (s *SIF_ExtendedElementsType_SIF_ExtendedElement) SIF_Action_IsNil() bool

Returns whether the element value for SIF_Action is nil in the container SIF_ExtendedElementsType_SIF_ExtendedElement.

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) SetProperties

Set a sequence of properties

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Type_IsNil

Returns whether the element value for Type is nil in the container SIF_ExtendedElementsType_SIF_ExtendedElement.

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Unset

Set the value of a property to nil

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_ExtendedElementsType_SIF_ExtendedElement) Value_IsNil

Returns whether the element value for Value is nil in the container SIF_ExtendedElementsType_SIF_ExtendedElement.

type SIF_MetadataType

type SIF_MetadataType struct {
	// contains filtered or unexported fields
}

func NewSIF_MetadataType added in v0.1.0

func NewSIF_MetadataType() *SIF_MetadataType

Generates a new object as a pointer to a struct

func SIF_MetadataTypePointer

func SIF_MetadataTypePointer(value interface{}) (*SIF_MetadataType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SIF_MetadataType) Clone

func (t *SIF_MetadataType) Clone() *SIF_MetadataType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SIF_MetadataType) ETag

func (s *SIF_MetadataType) ETag() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_MetadataType) ETag_IsNil

func (s *SIF_MetadataType) ETag_IsNil() bool

Returns whether the element value for ETag is nil in the container SIF_MetadataType.

func (*SIF_MetadataType) LifeCycle

func (s *SIF_MetadataType) LifeCycle() *LifeCycleType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_MetadataType) LifeCycle_IsNil

func (s *SIF_MetadataType) LifeCycle_IsNil() bool

Returns whether the element value for LifeCycle is nil in the container SIF_MetadataType.

func (*SIF_MetadataType) SetProperties

func (n *SIF_MetadataType) SetProperties(props ...Prop) *SIF_MetadataType

Set a sequence of properties

func (*SIF_MetadataType) SetProperty

func (n *SIF_MetadataType) SetProperty(key string, value interface{}) *SIF_MetadataType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SIF_MetadataType) TimeElements

func (s *SIF_MetadataType) TimeElements() *TimeElementListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SIF_MetadataType) TimeElements_IsNil

func (s *SIF_MetadataType) TimeElements_IsNil() bool

Returns whether the element value for TimeElements is nil in the container SIF_MetadataType.

func (*SIF_MetadataType) Unset

func (n *SIF_MetadataType) Unset(key string) *SIF_MetadataType

Set the value of a property to nil

type STDNGradeListType

type STDNGradeListType struct {
	// contains filtered or unexported fields
}

func NewSTDNGradeListType added in v0.1.0

func NewSTDNGradeListType() *STDNGradeListType

Generates a new object as a pointer to a struct

func STDNGradeListTypePointer

func STDNGradeListTypePointer(value interface{}) (*STDNGradeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*STDNGradeListType) AddNew

func (t *STDNGradeListType) AddNew() *STDNGradeListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*STDNGradeListType) Append

func (t *STDNGradeListType) Append(values ...STDNGradeType) *STDNGradeListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*STDNGradeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*STDNGradeListType) Index

func (t *STDNGradeListType) Index(n int) *STDNGradeType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*STDNGradeListType) Last

func (t *STDNGradeListType) Last() *STDNGradeType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*STDNGradeListType) Len

func (t *STDNGradeListType) Len() int

Length of the list.

func (*STDNGradeListType) ToSlice added in v0.1.0

func (t *STDNGradeListType) ToSlice() []*STDNGradeType

Convert list object to slice

type STDNGradeType

type STDNGradeType struct {
	// contains filtered or unexported fields
}

func NewSTDNGradeType added in v0.1.0

func NewSTDNGradeType() *STDNGradeType

Generates a new object as a pointer to a struct

func STDNGradeTypePointer

func STDNGradeTypePointer(value interface{}) (*STDNGradeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*STDNGradeType) Clone

func (t *STDNGradeType) Clone() *STDNGradeType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*STDNGradeType) Grade

func (s *STDNGradeType) Grade() *GradeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*STDNGradeType) Grade_IsNil

func (s *STDNGradeType) Grade_IsNil() bool

Returns whether the element value for Grade is nil in the container STDNGradeType.

func (*STDNGradeType) LearningArea

func (s *STDNGradeType) LearningArea() *ACStrandSubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*STDNGradeType) LearningArea_IsNil

func (s *STDNGradeType) LearningArea_IsNil() bool

Returns whether the element value for LearningArea is nil in the container STDNGradeType.

func (*STDNGradeType) SetProperties

func (n *STDNGradeType) SetProperties(props ...Prop) *STDNGradeType

Set a sequence of properties

func (*STDNGradeType) SetProperty

func (n *STDNGradeType) SetProperty(key string, value interface{}) *STDNGradeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*STDNGradeType) Subject

func (s *STDNGradeType) Subject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*STDNGradeType) Subject_IsNil

func (s *STDNGradeType) Subject_IsNil() bool

Returns whether the element value for Subject is nil in the container STDNGradeType.

func (*STDNGradeType) Unset

func (n *STDNGradeType) Unset(key string) *STDNGradeType

Set the value of a property to nil

type ScheduledActivity

type ScheduledActivity struct {
	// contains filtered or unexported fields
}

func NewScheduledActivity added in v0.1.0

func NewScheduledActivity() *ScheduledActivity

Generates a new object as a pointer to a struct

func ScheduledActivityPointer

func ScheduledActivityPointer(value interface{}) (*ScheduledActivity, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func ScheduledActivitySlice

func ScheduledActivitySlice() []*ScheduledActivity

Create a slice of pointers to the object type

func (*ScheduledActivity) ActivityComment

func (s *ScheduledActivity) ActivityComment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) ActivityComment_IsNil

func (s *ScheduledActivity) ActivityComment_IsNil() bool

Returns whether the element value for ActivityComment is nil in the container ScheduledActivity.

func (*ScheduledActivity) ActivityDate

func (s *ScheduledActivity) ActivityDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) ActivityDate_IsNil

func (s *ScheduledActivity) ActivityDate_IsNil() bool

Returns whether the element value for ActivityDate is nil in the container ScheduledActivity.

func (*ScheduledActivity) ActivityEndDate

func (s *ScheduledActivity) ActivityEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) ActivityEndDate_IsNil

func (s *ScheduledActivity) ActivityEndDate_IsNil() bool

Returns whether the element value for ActivityEndDate is nil in the container ScheduledActivity.

func (*ScheduledActivity) ActivityName

func (s *ScheduledActivity) ActivityName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) ActivityName_IsNil

func (s *ScheduledActivity) ActivityName_IsNil() bool

Returns whether the element value for ActivityName is nil in the container ScheduledActivity.

func (*ScheduledActivity) ActivityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) ActivityType_IsNil

func (s *ScheduledActivity) ActivityType_IsNil() bool

Returns whether the element value for ActivityType is nil in the container ScheduledActivity.

func (*ScheduledActivity) AddressList

func (s *ScheduledActivity) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) AddressList_IsNil

func (s *ScheduledActivity) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container ScheduledActivity.

func (*ScheduledActivity) CellType

func (s *ScheduledActivity) CellType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) CellType_IsNil

func (s *ScheduledActivity) CellType_IsNil() bool

Returns whether the element value for CellType is nil in the container ScheduledActivity.

func (*ScheduledActivity) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScheduledActivity) DayId

func (s *ScheduledActivity) DayId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) DayId_IsNil

func (s *ScheduledActivity) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container ScheduledActivity.

func (*ScheduledActivity) FinishTime

func (s *ScheduledActivity) FinishTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) FinishTime_IsNil

func (s *ScheduledActivity) FinishTime_IsNil() bool

Returns whether the element value for FinishTime is nil in the container ScheduledActivity.

func (*ScheduledActivity) LocalCodeList

func (s *ScheduledActivity) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) LocalCodeList_IsNil

func (s *ScheduledActivity) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container ScheduledActivity.

func (*ScheduledActivity) Location

func (s *ScheduledActivity) Location() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) Location_IsNil

func (s *ScheduledActivity) Location_IsNil() bool

Returns whether the element value for Location is nil in the container ScheduledActivity.

func (*ScheduledActivity) Override

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) OverridePatch

func (s *ScheduledActivity) OverridePatch() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) OverridePatch_IsNil

func (s *ScheduledActivity) OverridePatch_IsNil() bool

Returns whether the element value for OverridePatch is nil in the container ScheduledActivity.

func (*ScheduledActivity) Override_IsNil

func (s *ScheduledActivity) Override_IsNil() bool

Returns whether the element value for Override is nil in the container ScheduledActivity.

func (*ScheduledActivity) PeriodId

func (s *ScheduledActivity) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) PeriodId_IsNil

func (s *ScheduledActivity) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container ScheduledActivity.

func (*ScheduledActivity) RefId

func (s *ScheduledActivity) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) RefId_IsNil

func (s *ScheduledActivity) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container ScheduledActivity.

func (*ScheduledActivity) RoomList

func (s *ScheduledActivity) RoomList() *RoomListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) RoomList_IsNil

func (s *ScheduledActivity) RoomList_IsNil() bool

Returns whether the element value for RoomList is nil in the container ScheduledActivity.

func (*ScheduledActivity) SIF_ExtendedElements

func (s *ScheduledActivity) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) SIF_ExtendedElements_IsNil

func (s *ScheduledActivity) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container ScheduledActivity.

func (*ScheduledActivity) SIF_Metadata

func (s *ScheduledActivity) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) SIF_Metadata_IsNil

func (s *ScheduledActivity) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container ScheduledActivity.

func (*ScheduledActivity) SchoolInfoRefId

func (s *ScheduledActivity) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) SchoolInfoRefId_IsNil

func (s *ScheduledActivity) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container ScheduledActivity.

func (*ScheduledActivity) SetProperties

func (n *ScheduledActivity) SetProperties(props ...Prop) *ScheduledActivity

Set a sequence of properties

func (*ScheduledActivity) SetProperty

func (n *ScheduledActivity) SetProperty(key string, value interface{}) *ScheduledActivity

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScheduledActivity) StartTime

func (s *ScheduledActivity) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) StartTime_IsNil

func (s *ScheduledActivity) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container ScheduledActivity.

func (*ScheduledActivity) StudentList

func (s *ScheduledActivity) StudentList() *StudentsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) StudentList_IsNil

func (s *ScheduledActivity) StudentList_IsNil() bool

Returns whether the element value for StudentList is nil in the container ScheduledActivity.

func (*ScheduledActivity) TeacherList

func (s *ScheduledActivity) TeacherList() *ScheduledTeacherListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TeacherList_IsNil

func (s *ScheduledActivity) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container ScheduledActivity.

func (*ScheduledActivity) TeachingGroupList

func (s *ScheduledActivity) TeachingGroupList() *TeachingGroupListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TeachingGroupList_IsNil

func (s *ScheduledActivity) TeachingGroupList_IsNil() bool

Returns whether the element value for TeachingGroupList is nil in the container ScheduledActivity.

func (*ScheduledActivity) TimeTableCellRefId

func (s *ScheduledActivity) TimeTableCellRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TimeTableCellRefId_IsNil

func (s *ScheduledActivity) TimeTableCellRefId_IsNil() bool

Returns whether the element value for TimeTableCellRefId is nil in the container ScheduledActivity.

func (*ScheduledActivity) TimeTableChangeReasonList

func (s *ScheduledActivity) TimeTableChangeReasonList() *TimeTableChangeReasonListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TimeTableChangeReasonList_IsNil

func (s *ScheduledActivity) TimeTableChangeReasonList_IsNil() bool

Returns whether the element value for TimeTableChangeReasonList is nil in the container ScheduledActivity.

func (*ScheduledActivity) TimeTableRefId

func (s *ScheduledActivity) TimeTableRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TimeTableRefId_IsNil

func (s *ScheduledActivity) TimeTableRefId_IsNil() bool

Returns whether the element value for TimeTableRefId is nil in the container ScheduledActivity.

func (*ScheduledActivity) TimeTableSubjectRefId

func (s *ScheduledActivity) TimeTableSubjectRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) TimeTableSubjectRefId_IsNil

func (s *ScheduledActivity) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container ScheduledActivity.

func (*ScheduledActivity) Unset

Set the value of a property to nil

func (*ScheduledActivity) YearLevels

func (s *ScheduledActivity) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivity) YearLevels_IsNil

func (s *ScheduledActivity) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container ScheduledActivity.

type ScheduledActivityOverrideType

type ScheduledActivityOverrideType struct {
	// contains filtered or unexported fields
}

func NewScheduledActivityOverrideType added in v0.1.0

func NewScheduledActivityOverrideType() *ScheduledActivityOverrideType

Generates a new object as a pointer to a struct

func ScheduledActivityOverrideTypePointer

func ScheduledActivityOverrideTypePointer(value interface{}) (*ScheduledActivityOverrideType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScheduledActivityOverrideType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScheduledActivityOverrideType) DateOfOverride

func (s *ScheduledActivityOverrideType) DateOfOverride() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivityOverrideType) DateOfOverride_IsNil

func (s *ScheduledActivityOverrideType) DateOfOverride_IsNil() bool

Returns whether the element value for DateOfOverride is nil in the container ScheduledActivityOverrideType.

func (*ScheduledActivityOverrideType) SetProperties

Set a sequence of properties

func (*ScheduledActivityOverrideType) SetProperty

func (n *ScheduledActivityOverrideType) SetProperty(key string, value interface{}) *ScheduledActivityOverrideType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScheduledActivityOverrideType) Unset

Set the value of a property to nil

func (*ScheduledActivityOverrideType) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScheduledActivityOverrideType) Value_IsNil

func (s *ScheduledActivityOverrideType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container ScheduledActivityOverrideType.

type ScheduledActivitys

type ScheduledActivitys struct {
	// contains filtered or unexported fields
}

func NewScheduledActivitys added in v0.1.0

func NewScheduledActivitys() *ScheduledActivitys

Generates a new object as a pointer to a struct

func ScheduledActivitysPointer added in v0.1.0

func ScheduledActivitysPointer(value interface{}) (*ScheduledActivitys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScheduledActivitys) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ScheduledActivitys) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScheduledActivitys) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScheduledActivitys) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*ScheduledActivitys) Last added in v0.1.0

func (t *ScheduledActivitys) Last() *scheduledactivity

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ScheduledActivitys) Len added in v0.1.0

func (t *ScheduledActivitys) Len() int

Length of the list.

func (*ScheduledActivitys) ToSlice added in v0.1.0

func (t *ScheduledActivitys) ToSlice() []*ScheduledActivity

Convert list object to slice

type ScheduledTeacherListType

type ScheduledTeacherListType struct {
	// contains filtered or unexported fields
}

func NewScheduledTeacherListType added in v0.1.0

func NewScheduledTeacherListType() *ScheduledTeacherListType

Generates a new object as a pointer to a struct

func ScheduledTeacherListTypePointer

func ScheduledTeacherListTypePointer(value interface{}) (*ScheduledTeacherListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScheduledTeacherListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ScheduledTeacherListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScheduledTeacherListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScheduledTeacherListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ScheduledTeacherListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ScheduledTeacherListType) Len

func (t *ScheduledTeacherListType) Len() int

Length of the list.

func (*ScheduledTeacherListType) ToSlice added in v0.1.0

Convert list object to slice

type SchoolContactListType

type SchoolContactListType struct {
	// contains filtered or unexported fields
}

func NewSchoolContactListType added in v0.1.0

func NewSchoolContactListType() *SchoolContactListType

Generates a new object as a pointer to a struct

func SchoolContactListTypePointer

func SchoolContactListTypePointer(value interface{}) (*SchoolContactListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolContactListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolContactListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolContactListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolContactListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SchoolContactListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolContactListType) Len

func (t *SchoolContactListType) Len() int

Length of the list.

func (*SchoolContactListType) ToSlice added in v0.1.0

func (t *SchoolContactListType) ToSlice() []*SchoolContactType

Convert list object to slice

type SchoolContactType

type SchoolContactType struct {
	// contains filtered or unexported fields
}

func NewSchoolContactType added in v0.1.0

func NewSchoolContactType() *SchoolContactType

Generates a new object as a pointer to a struct

func SchoolContactTypePointer

func SchoolContactTypePointer(value interface{}) (*SchoolContactType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolContactType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolContactType) ContactInfo

func (s *SchoolContactType) ContactInfo() *ContactInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolContactType) ContactInfo_IsNil

func (s *SchoolContactType) ContactInfo_IsNil() bool

Returns whether the element value for ContactInfo is nil in the container SchoolContactType.

func (*SchoolContactType) PublishInDirectory

func (s *SchoolContactType) PublishInDirectory() *PublishInDirectoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolContactType) PublishInDirectory_IsNil

func (s *SchoolContactType) PublishInDirectory_IsNil() bool

Returns whether the element value for PublishInDirectory is nil in the container SchoolContactType.

func (*SchoolContactType) SetProperties

func (n *SchoolContactType) SetProperties(props ...Prop) *SchoolContactType

Set a sequence of properties

func (*SchoolContactType) SetProperty

func (n *SchoolContactType) SetProperty(key string, value interface{}) *SchoolContactType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolContactType) Unset

Set the value of a property to nil

type SchoolCourseInfo

type SchoolCourseInfo struct {
	// contains filtered or unexported fields
}

func NewSchoolCourseInfo added in v0.1.0

func NewSchoolCourseInfo() *SchoolCourseInfo

Generates a new object as a pointer to a struct

func SchoolCourseInfoPointer

func SchoolCourseInfoPointer(value interface{}) (*SchoolCourseInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func SchoolCourseInfoSlice

func SchoolCourseInfoSlice() []*SchoolCourseInfo

Create a slice of pointers to the object type

func (*SchoolCourseInfo) Clone

func (t *SchoolCourseInfo) Clone() *SchoolCourseInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolCourseInfo) CoreAcademicCourse

func (s *SchoolCourseInfo) CoreAcademicCourse() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) CoreAcademicCourse_IsNil

func (s *SchoolCourseInfo) CoreAcademicCourse_IsNil() bool

Returns whether the element value for CoreAcademicCourse is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) CourseCode

func (s *SchoolCourseInfo) CourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) CourseCode_IsNil

func (s *SchoolCourseInfo) CourseCode_IsNil() bool

Returns whether the element value for CourseCode is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) CourseContent

func (s *SchoolCourseInfo) CourseContent() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) CourseContent_IsNil

func (s *SchoolCourseInfo) CourseContent_IsNil() bool

Returns whether the element value for CourseContent is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) CourseCredits

func (s *SchoolCourseInfo) CourseCredits() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) CourseCredits_IsNil

func (s *SchoolCourseInfo) CourseCredits_IsNil() bool

Returns whether the element value for CourseCredits is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) CourseTitle

func (s *SchoolCourseInfo) CourseTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) CourseTitle_IsNil

func (s *SchoolCourseInfo) CourseTitle_IsNil() bool

Returns whether the element value for CourseTitle is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) Department

func (s *SchoolCourseInfo) Department() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) Department_IsNil

func (s *SchoolCourseInfo) Department_IsNil() bool

Returns whether the element value for Department is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) Description

func (s *SchoolCourseInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) Description_IsNil

func (s *SchoolCourseInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) DistrictCourseCode

func (s *SchoolCourseInfo) DistrictCourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) DistrictCourseCode_IsNil

func (s *SchoolCourseInfo) DistrictCourseCode_IsNil() bool

Returns whether the element value for DistrictCourseCode is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) GraduationRequirement

func (s *SchoolCourseInfo) GraduationRequirement() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) GraduationRequirement_IsNil

func (s *SchoolCourseInfo) GraduationRequirement_IsNil() bool

Returns whether the element value for GraduationRequirement is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) InstructionalLevel

func (s *SchoolCourseInfo) InstructionalLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) InstructionalLevel_IsNil

func (s *SchoolCourseInfo) InstructionalLevel_IsNil() bool

Returns whether the element value for InstructionalLevel is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) LocalCodeList

func (s *SchoolCourseInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) LocalCodeList_IsNil

func (s *SchoolCourseInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) RefId

func (s *SchoolCourseInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) RefId_IsNil

func (s *SchoolCourseInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SIF_ExtendedElements

func (s *SchoolCourseInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SIF_ExtendedElements_IsNil

func (s *SchoolCourseInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SIF_Metadata

func (s *SchoolCourseInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SIF_Metadata_IsNil

func (s *SchoolCourseInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SchoolInfoRefId

func (s *SchoolCourseInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SchoolInfoRefId_IsNil

func (s *SchoolCourseInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SchoolLocalId

func (s *SchoolCourseInfo) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SchoolLocalId_IsNil

func (s *SchoolCourseInfo) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SchoolYear

func (s *SchoolCourseInfo) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SchoolYear_IsNil

func (s *SchoolCourseInfo) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SetProperties

func (n *SchoolCourseInfo) SetProperties(props ...Prop) *SchoolCourseInfo

Set a sequence of properties

func (*SchoolCourseInfo) SetProperty

func (n *SchoolCourseInfo) SetProperty(key string, value interface{}) *SchoolCourseInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolCourseInfo) StateCourseCode

func (s *SchoolCourseInfo) StateCourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) StateCourseCode_IsNil

func (s *SchoolCourseInfo) StateCourseCode_IsNil() bool

Returns whether the element value for StateCourseCode is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) SubjectAreaList

func (s *SchoolCourseInfo) SubjectAreaList() *SubjectAreaListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) SubjectAreaList_IsNil

func (s *SchoolCourseInfo) SubjectAreaList_IsNil() bool

Returns whether the element value for SubjectAreaList is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) TermInfoRefId

func (s *SchoolCourseInfo) TermInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfo) TermInfoRefId_IsNil

func (s *SchoolCourseInfo) TermInfoRefId_IsNil() bool

Returns whether the element value for TermInfoRefId is nil in the container SchoolCourseInfo.

func (*SchoolCourseInfo) Unset

func (n *SchoolCourseInfo) Unset(key string) *SchoolCourseInfo

Set the value of a property to nil

type SchoolCourseInfoOverrideType

type SchoolCourseInfoOverrideType struct {
	// contains filtered or unexported fields
}

func NewSchoolCourseInfoOverrideType added in v0.1.0

func NewSchoolCourseInfoOverrideType() *SchoolCourseInfoOverrideType

Generates a new object as a pointer to a struct

func SchoolCourseInfoOverrideTypePointer

func SchoolCourseInfoOverrideTypePointer(value interface{}) (*SchoolCourseInfoOverrideType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolCourseInfoOverrideType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolCourseInfoOverrideType) CourseCode

func (s *SchoolCourseInfoOverrideType) CourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) CourseCode_IsNil

func (s *SchoolCourseInfoOverrideType) CourseCode_IsNil() bool

Returns whether the element value for CourseCode is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) CourseCredits

func (s *SchoolCourseInfoOverrideType) CourseCredits() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) CourseCredits_IsNil

func (s *SchoolCourseInfoOverrideType) CourseCredits_IsNil() bool

Returns whether the element value for CourseCredits is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) CourseTitle

func (s *SchoolCourseInfoOverrideType) CourseTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) CourseTitle_IsNil

func (s *SchoolCourseInfoOverrideType) CourseTitle_IsNil() bool

Returns whether the element value for CourseTitle is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) DistrictCourseCode

func (s *SchoolCourseInfoOverrideType) DistrictCourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) DistrictCourseCode_IsNil

func (s *SchoolCourseInfoOverrideType) DistrictCourseCode_IsNil() bool

Returns whether the element value for DistrictCourseCode is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) InstructionalLevel

func (s *SchoolCourseInfoOverrideType) InstructionalLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) InstructionalLevel_IsNil

func (s *SchoolCourseInfoOverrideType) InstructionalLevel_IsNil() bool

Returns whether the element value for InstructionalLevel is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) Override

func (s *SchoolCourseInfoOverrideType) Override() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) Override_IsNil

func (s *SchoolCourseInfoOverrideType) Override_IsNil() bool

Returns whether the element value for Override is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) SetProperties

Set a sequence of properties

func (*SchoolCourseInfoOverrideType) SetProperty

func (n *SchoolCourseInfoOverrideType) SetProperty(key string, value interface{}) *SchoolCourseInfoOverrideType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolCourseInfoOverrideType) StateCourseCode

func (s *SchoolCourseInfoOverrideType) StateCourseCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) StateCourseCode_IsNil

func (s *SchoolCourseInfoOverrideType) StateCourseCode_IsNil() bool

Returns whether the element value for StateCourseCode is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) SubjectArea

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolCourseInfoOverrideType) SubjectArea_IsNil

func (s *SchoolCourseInfoOverrideType) SubjectArea_IsNil() bool

Returns whether the element value for SubjectArea is nil in the container SchoolCourseInfoOverrideType.

func (*SchoolCourseInfoOverrideType) Unset

Set the value of a property to nil

type SchoolCourseInfos

type SchoolCourseInfos struct {
	// contains filtered or unexported fields
}

func NewSchoolCourseInfos added in v0.1.0

func NewSchoolCourseInfos() *SchoolCourseInfos

Generates a new object as a pointer to a struct

func SchoolCourseInfosPointer added in v0.1.0

func SchoolCourseInfosPointer(value interface{}) (*SchoolCourseInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolCourseInfos) AddNew added in v0.1.0

func (t *SchoolCourseInfos) AddNew() *SchoolCourseInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolCourseInfos) Append added in v0.1.0

func (t *SchoolCourseInfos) Append(values ...*SchoolCourseInfo) *SchoolCourseInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolCourseInfos) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolCourseInfos) Index added in v0.1.0

func (t *SchoolCourseInfos) Index(n int) *SchoolCourseInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*SchoolCourseInfos) Last added in v0.1.0

func (t *SchoolCourseInfos) Last() *schoolcourseinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolCourseInfos) Len added in v0.1.0

func (t *SchoolCourseInfos) Len() int

Length of the list.

func (*SchoolCourseInfos) ToSlice added in v0.1.0

func (t *SchoolCourseInfos) ToSlice() []*SchoolCourseInfo

Convert list object to slice

type SchoolFocusListType

type SchoolFocusListType struct {
	// contains filtered or unexported fields
}

func NewSchoolFocusListType added in v0.1.0

func NewSchoolFocusListType() *SchoolFocusListType

Generates a new object as a pointer to a struct

func SchoolFocusListTypePointer

func SchoolFocusListTypePointer(value interface{}) (*SchoolFocusListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolFocusListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolFocusListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolFocusListType) AppendString

func (t *SchoolFocusListType) AppendString(value string) *SchoolFocusListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*SchoolFocusListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolFocusListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SchoolFocusListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolFocusListType) Len

func (t *SchoolFocusListType) Len() int

Length of the list.

func (*SchoolFocusListType) ToSlice added in v0.1.0

Convert list object to slice

type SchoolGroupListType

type SchoolGroupListType struct {
	// contains filtered or unexported fields
}

func NewSchoolGroupListType added in v0.1.0

func NewSchoolGroupListType() *SchoolGroupListType

Generates a new object as a pointer to a struct

func SchoolGroupListTypePointer

func SchoolGroupListTypePointer(value interface{}) (*SchoolGroupListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolGroupListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolGroupListType) Append

func (t *SchoolGroupListType) Append(values ...LocalIdType) *SchoolGroupListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolGroupListType) AppendString

func (t *SchoolGroupListType) AppendString(value string) *SchoolGroupListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*SchoolGroupListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolGroupListType) Index

func (t *SchoolGroupListType) Index(n int) *LocalIdType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SchoolGroupListType) Last

func (t *SchoolGroupListType) Last() *LocalIdType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolGroupListType) Len

func (t *SchoolGroupListType) Len() int

Length of the list.

func (*SchoolGroupListType) ToSlice added in v0.1.0

func (t *SchoolGroupListType) ToSlice() []*LocalIdType

Convert list object to slice

type SchoolInfo

type SchoolInfo struct {
	// contains filtered or unexported fields
}

func NewSchoolInfo added in v0.1.0

func NewSchoolInfo() *SchoolInfo

Generates a new object as a pointer to a struct

func SchoolInfoPointer

func SchoolInfoPointer(value interface{}) (*SchoolInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func SchoolInfoSlice

func SchoolInfoSlice() []*SchoolInfo

Create a slice of pointers to the object type

func (*SchoolInfo) ACARAId

func (s *SchoolInfo) ACARAId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) ACARAId_IsNil

func (s *SchoolInfo) ACARAId_IsNil() bool

Returns whether the element value for ACARAId is nil in the container SchoolInfo.

func (*SchoolInfo) ARIA

func (s *SchoolInfo) ARIA() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) ARIA_IsNil

func (s *SchoolInfo) ARIA_IsNil() bool

Returns whether the element value for ARIA is nil in the container SchoolInfo.

func (*SchoolInfo) AddressList

func (s *SchoolInfo) AddressList() *AddressListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) AddressList_IsNil

func (s *SchoolInfo) AddressList_IsNil() bool

Returns whether the element value for AddressList is nil in the container SchoolInfo.

func (*SchoolInfo) BoardingSchoolStatus

func (s *SchoolInfo) BoardingSchoolStatus() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) BoardingSchoolStatus_IsNil

func (s *SchoolInfo) BoardingSchoolStatus_IsNil() bool

Returns whether the element value for BoardingSchoolStatus is nil in the container SchoolInfo.

func (*SchoolInfo) Campus

func (s *SchoolInfo) Campus() *CampusContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) Campus_IsNil

func (s *SchoolInfo) Campus_IsNil() bool

Returns whether the element value for Campus is nil in the container SchoolInfo.

func (*SchoolInfo) Clone

func (t *SchoolInfo) Clone() *SchoolInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolInfo) CommonwealthId

func (s *SchoolInfo) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) CommonwealthId_IsNil

func (s *SchoolInfo) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container SchoolInfo.

func (*SchoolInfo) Entity_Close

func (s *SchoolInfo) Entity_Close() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) Entity_Close_IsNil

func (s *SchoolInfo) Entity_Close_IsNil() bool

Returns whether the element value for Entity_Close is nil in the container SchoolInfo.

func (*SchoolInfo) Entity_Open

func (s *SchoolInfo) Entity_Open() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) Entity_Open_IsNil

func (s *SchoolInfo) Entity_Open_IsNil() bool

Returns whether the element value for Entity_Open is nil in the container SchoolInfo.

func (*SchoolInfo) FederalElectorate

func (s *SchoolInfo) FederalElectorate() *AUCodeSetsFederalElectorateType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) FederalElectorate_IsNil

func (s *SchoolInfo) FederalElectorate_IsNil() bool

Returns whether the element value for FederalElectorate is nil in the container SchoolInfo.

func (*SchoolInfo) IndependentSchool

func (s *SchoolInfo) IndependentSchool() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) IndependentSchool_IsNil

func (s *SchoolInfo) IndependentSchool_IsNil() bool

Returns whether the element value for IndependentSchool is nil in the container SchoolInfo.

func (*SchoolInfo) JurisdictionLowerHouse

func (s *SchoolInfo) JurisdictionLowerHouse() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) JurisdictionLowerHouse_IsNil

func (s *SchoolInfo) JurisdictionLowerHouse_IsNil() bool

Returns whether the element value for JurisdictionLowerHouse is nil in the container SchoolInfo.

func (*SchoolInfo) LEAInfoRefId

func (s *SchoolInfo) LEAInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) LEAInfoRefId_IsNil

func (s *SchoolInfo) LEAInfoRefId_IsNil() bool

Returns whether the element value for LEAInfoRefId is nil in the container SchoolInfo.

func (*SchoolInfo) LocalCodeList

func (s *SchoolInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) LocalCodeList_IsNil

func (s *SchoolInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container SchoolInfo.

func (*SchoolInfo) LocalGovernmentArea

func (s *SchoolInfo) LocalGovernmentArea() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) LocalGovernmentArea_IsNil

func (s *SchoolInfo) LocalGovernmentArea_IsNil() bool

Returns whether the element value for LocalGovernmentArea is nil in the container SchoolInfo.

func (*SchoolInfo) LocalId

func (s *SchoolInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) LocalId_IsNil

func (s *SchoolInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container SchoolInfo.

func (*SchoolInfo) NonGovSystemicStatus

func (s *SchoolInfo) NonGovSystemicStatus() *AUCodeSetsSystemicStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) NonGovSystemicStatus_IsNil

func (s *SchoolInfo) NonGovSystemicStatus_IsNil() bool

Returns whether the element value for NonGovSystemicStatus is nil in the container SchoolInfo.

func (*SchoolInfo) OperationalStatus

func (s *SchoolInfo) OperationalStatus() *OperationalStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) OperationalStatus_IsNil

func (s *SchoolInfo) OperationalStatus_IsNil() bool

Returns whether the element value for OperationalStatus is nil in the container SchoolInfo.

func (*SchoolInfo) OtherIdList

func (s *SchoolInfo) OtherIdList() *OtherIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) OtherIdList_IsNil

func (s *SchoolInfo) OtherIdList_IsNil() bool

Returns whether the element value for OtherIdList is nil in the container SchoolInfo.

func (*SchoolInfo) OtherLEA

func (s *SchoolInfo) OtherLEA() *SchoolInfo_OtherLEA

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) OtherLEA_IsNil

func (s *SchoolInfo) OtherLEA_IsNil() bool

Returns whether the element value for OtherLEA is nil in the container SchoolInfo.

func (*SchoolInfo) ParentCommonwealthId

func (s *SchoolInfo) ParentCommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) ParentCommonwealthId_IsNil

func (s *SchoolInfo) ParentCommonwealthId_IsNil() bool

Returns whether the element value for ParentCommonwealthId is nil in the container SchoolInfo.

func (*SchoolInfo) PhoneNumberList

func (s *SchoolInfo) PhoneNumberList() *PhoneNumberListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) PhoneNumberList_IsNil

func (s *SchoolInfo) PhoneNumberList_IsNil() bool

Returns whether the element value for PhoneNumberList is nil in the container SchoolInfo.

func (*SchoolInfo) PrincipalInfo

func (s *SchoolInfo) PrincipalInfo() *PrincipalInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) PrincipalInfo_IsNil

func (s *SchoolInfo) PrincipalInfo_IsNil() bool

Returns whether the element value for PrincipalInfo is nil in the container SchoolInfo.

func (*SchoolInfo) RefId

func (s *SchoolInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) RefId_IsNil

func (s *SchoolInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container SchoolInfo.

func (*SchoolInfo) ReligiousAffiliation

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) ReligiousAffiliation_IsNil

func (s *SchoolInfo) ReligiousAffiliation_IsNil() bool

Returns whether the element value for ReligiousAffiliation is nil in the container SchoolInfo.

func (*SchoolInfo) SIF_ExtendedElements

func (s *SchoolInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SIF_ExtendedElements_IsNil

func (s *SchoolInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container SchoolInfo.

func (*SchoolInfo) SIF_Metadata

func (s *SchoolInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SIF_Metadata_IsNil

func (s *SchoolInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container SchoolInfo.

func (*SchoolInfo) SLA

func (s *SchoolInfo) SLA() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SLA_IsNil

func (s *SchoolInfo) SLA_IsNil() bool

Returns whether the element value for SLA is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolCoEdStatus

func (s *SchoolInfo) SchoolCoEdStatus() *AUCodeSetsSchoolCoEdStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolCoEdStatus_IsNil

func (s *SchoolInfo) SchoolCoEdStatus_IsNil() bool

Returns whether the element value for SchoolCoEdStatus is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolContactList

func (s *SchoolInfo) SchoolContactList() *SchoolContactListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolContactList_IsNil

func (s *SchoolInfo) SchoolContactList_IsNil() bool

Returns whether the element value for SchoolContactList is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolDistrict

func (s *SchoolInfo) SchoolDistrict() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolDistrictLocalId

func (s *SchoolInfo) SchoolDistrictLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolDistrictLocalId_IsNil

func (s *SchoolInfo) SchoolDistrictLocalId_IsNil() bool

Returns whether the element value for SchoolDistrictLocalId is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolDistrict_IsNil

func (s *SchoolInfo) SchoolDistrict_IsNil() bool

Returns whether the element value for SchoolDistrict is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolEmailList

func (s *SchoolInfo) SchoolEmailList() *EmailListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolEmailList_IsNil

func (s *SchoolInfo) SchoolEmailList_IsNil() bool

Returns whether the element value for SchoolEmailList is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolFocusList

func (s *SchoolInfo) SchoolFocusList() *SchoolFocusListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolFocusList_IsNil

func (s *SchoolInfo) SchoolFocusList_IsNil() bool

Returns whether the element value for SchoolFocusList is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolGeographicLocation

func (s *SchoolInfo) SchoolGeographicLocation() *AUCodeSetsSchoolLocationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolGeographicLocation_IsNil

func (s *SchoolInfo) SchoolGeographicLocation_IsNil() bool

Returns whether the element value for SchoolGeographicLocation is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolGroupList

func (s *SchoolInfo) SchoolGroupList() *SchoolGroupListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolGroupList_IsNil

func (s *SchoolInfo) SchoolGroupList_IsNil() bool

Returns whether the element value for SchoolGroupList is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolName

func (s *SchoolInfo) SchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolName_IsNil

func (s *SchoolInfo) SchoolName_IsNil() bool

Returns whether the element value for SchoolName is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolSector

func (s *SchoolInfo) SchoolSector() *AUCodeSetsSchoolSectorCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolSector_IsNil

func (s *SchoolInfo) SchoolSector_IsNil() bool

Returns whether the element value for SchoolSector is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolTimeZone

func (s *SchoolInfo) SchoolTimeZone() *AUCodeSetsAustralianTimeZoneType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolTimeZone_IsNil

func (s *SchoolInfo) SchoolTimeZone_IsNil() bool

Returns whether the element value for SchoolTimeZone is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolType

func (s *SchoolInfo) SchoolType() *AUCodeSetsSchoolLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolType_IsNil

func (s *SchoolInfo) SchoolType_IsNil() bool

Returns whether the element value for SchoolType is nil in the container SchoolInfo.

func (*SchoolInfo) SchoolURL

func (s *SchoolInfo) SchoolURL() *SchoolURLType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SchoolURL_IsNil

func (s *SchoolInfo) SchoolURL_IsNil() bool

Returns whether the element value for SchoolURL is nil in the container SchoolInfo.

func (*SchoolInfo) SessionType

func (s *SchoolInfo) SessionType() *AUCodeSetsSessionTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) SessionType_IsNil

func (s *SchoolInfo) SessionType_IsNil() bool

Returns whether the element value for SessionType is nil in the container SchoolInfo.

func (*SchoolInfo) SetProperties

func (n *SchoolInfo) SetProperties(props ...Prop) *SchoolInfo

Set a sequence of properties

func (*SchoolInfo) SetProperty

func (n *SchoolInfo) SetProperty(key string, value interface{}) *SchoolInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolInfo) StateProvinceId

func (s *SchoolInfo) StateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) StateProvinceId_IsNil

func (s *SchoolInfo) StateProvinceId_IsNil() bool

Returns whether the element value for StateProvinceId is nil in the container SchoolInfo.

func (*SchoolInfo) System

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) System_IsNil

func (s *SchoolInfo) System_IsNil() bool

Returns whether the element value for System is nil in the container SchoolInfo.

func (*SchoolInfo) TotalEnrollments

func (s *SchoolInfo) TotalEnrollments() *TotalEnrollmentsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) TotalEnrollments_IsNil

func (s *SchoolInfo) TotalEnrollments_IsNil() bool

Returns whether the element value for TotalEnrollments is nil in the container SchoolInfo.

func (*SchoolInfo) Unset

func (n *SchoolInfo) Unset(key string) *SchoolInfo

Set the value of a property to nil

func (*SchoolInfo) YearLevelEnrollmentList

func (s *SchoolInfo) YearLevelEnrollmentList() *YearLevelEnrollmentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) YearLevelEnrollmentList_IsNil

func (s *SchoolInfo) YearLevelEnrollmentList_IsNil() bool

Returns whether the element value for YearLevelEnrollmentList is nil in the container SchoolInfo.

func (*SchoolInfo) YearLevels

func (s *SchoolInfo) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo) YearLevels_IsNil

func (s *SchoolInfo) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container SchoolInfo.

type SchoolInfo_OtherLEA

type SchoolInfo_OtherLEA struct {
	// contains filtered or unexported fields
}

func NewSchoolInfo_OtherLEA added in v0.1.0

func NewSchoolInfo_OtherLEA() *SchoolInfo_OtherLEA

Generates a new object as a pointer to a struct

func SchoolInfo_OtherLEAPointer

func SchoolInfo_OtherLEAPointer(value interface{}) (*SchoolInfo_OtherLEA, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolInfo_OtherLEA) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolInfo_OtherLEA) SIF_RefObject

func (s *SchoolInfo_OtherLEA) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo_OtherLEA) SIF_RefObject_IsNil

func (s *SchoolInfo_OtherLEA) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container SchoolInfo_OtherLEA.

func (*SchoolInfo_OtherLEA) SetProperties

func (n *SchoolInfo_OtherLEA) SetProperties(props ...Prop) *SchoolInfo_OtherLEA

Set a sequence of properties

func (*SchoolInfo_OtherLEA) SetProperty

func (n *SchoolInfo_OtherLEA) SetProperty(key string, value interface{}) *SchoolInfo_OtherLEA

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolInfo_OtherLEA) Unset

Set the value of a property to nil

func (*SchoolInfo_OtherLEA) Value

func (s *SchoolInfo_OtherLEA) Value() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolInfo_OtherLEA) Value_IsNil

func (s *SchoolInfo_OtherLEA) Value_IsNil() bool

Returns whether the element value for Value is nil in the container SchoolInfo_OtherLEA.

type SchoolInfos

type SchoolInfos struct {
	// contains filtered or unexported fields
}

func NewSchoolInfos added in v0.1.0

func NewSchoolInfos() *SchoolInfos

Generates a new object as a pointer to a struct

func SchoolInfosPointer added in v0.1.0

func SchoolInfosPointer(value interface{}) (*SchoolInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolInfos) AddNew added in v0.1.0

func (t *SchoolInfos) AddNew() *SchoolInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolInfos) Append added in v0.1.0

func (t *SchoolInfos) Append(values ...*SchoolInfo) *SchoolInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolInfos) Clone added in v0.1.0

func (t *SchoolInfos) Clone() *SchoolInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolInfos) Index added in v0.1.0

func (t *SchoolInfos) Index(n int) *SchoolInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*SchoolInfos) Last added in v0.1.0

func (t *SchoolInfos) Last() *schoolinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolInfos) Len added in v0.1.0

func (t *SchoolInfos) Len() int

Length of the list.

func (*SchoolInfos) ToSlice added in v0.1.0

func (t *SchoolInfos) ToSlice() []*SchoolInfo

Convert list object to slice

type SchoolProgramListType

type SchoolProgramListType struct {
	// contains filtered or unexported fields
}

func NewSchoolProgramListType added in v0.1.0

func NewSchoolProgramListType() *SchoolProgramListType

Generates a new object as a pointer to a struct

func SchoolProgramListTypePointer

func SchoolProgramListTypePointer(value interface{}) (*SchoolProgramListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolProgramListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolProgramListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolProgramListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolProgramListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SchoolProgramListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolProgramListType) Len

func (t *SchoolProgramListType) Len() int

Length of the list.

func (*SchoolProgramListType) ToSlice added in v0.1.0

func (t *SchoolProgramListType) ToSlice() []*SchoolProgramType

Convert list object to slice

type SchoolProgramType

type SchoolProgramType struct {
	// contains filtered or unexported fields
}

func NewSchoolProgramType added in v0.1.0

func NewSchoolProgramType() *SchoolProgramType

Generates a new object as a pointer to a struct

func SchoolProgramTypePointer

func SchoolProgramTypePointer(value interface{}) (*SchoolProgramType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolProgramType) Category

func (s *SchoolProgramType) Category() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolProgramType) Category_IsNil

func (s *SchoolProgramType) Category_IsNil() bool

Returns whether the element value for Category is nil in the container SchoolProgramType.

func (*SchoolProgramType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolProgramType) OtherCodeList

func (s *SchoolProgramType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolProgramType) OtherCodeList_IsNil

func (s *SchoolProgramType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container SchoolProgramType.

func (*SchoolProgramType) SetProperties

func (n *SchoolProgramType) SetProperties(props ...Prop) *SchoolProgramType

Set a sequence of properties

func (*SchoolProgramType) SetProperty

func (n *SchoolProgramType) SetProperty(key string, value interface{}) *SchoolProgramType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolProgramType) Type

func (s *SchoolProgramType) Type() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolProgramType) Type_IsNil

func (s *SchoolProgramType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container SchoolProgramType.

func (*SchoolProgramType) Unset

Set the value of a property to nil

type SchoolPrograms

type SchoolPrograms struct {
	// contains filtered or unexported fields
}

func NewSchoolPrograms added in v0.1.0

func NewSchoolPrograms() *SchoolPrograms

Generates a new object as a pointer to a struct

func SchoolProgramsPointer

func SchoolProgramsPointer(value interface{}) (*SchoolPrograms, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func SchoolProgramsSlice

func SchoolProgramsSlice() []*SchoolPrograms

Create a slice of pointers to the object type

func (*SchoolPrograms) Clone

func (t *SchoolPrograms) Clone() *SchoolPrograms

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolPrograms) LocalCodeList

func (s *SchoolPrograms) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) LocalCodeList_IsNil

func (s *SchoolPrograms) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container SchoolPrograms.

func (*SchoolPrograms) RefId

func (s *SchoolPrograms) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) RefId_IsNil

func (s *SchoolPrograms) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container SchoolPrograms.

func (*SchoolPrograms) SIF_ExtendedElements

func (s *SchoolPrograms) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) SIF_ExtendedElements_IsNil

func (s *SchoolPrograms) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container SchoolPrograms.

func (*SchoolPrograms) SIF_Metadata

func (s *SchoolPrograms) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) SIF_Metadata_IsNil

func (s *SchoolPrograms) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container SchoolPrograms.

func (*SchoolPrograms) SchoolInfoRefId

func (s *SchoolPrograms) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) SchoolInfoRefId_IsNil

func (s *SchoolPrograms) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container SchoolPrograms.

func (*SchoolPrograms) SchoolProgramList

func (s *SchoolPrograms) SchoolProgramList() *SchoolProgramListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) SchoolProgramList_IsNil

func (s *SchoolPrograms) SchoolProgramList_IsNil() bool

Returns whether the element value for SchoolProgramList is nil in the container SchoolPrograms.

func (*SchoolPrograms) SchoolYear

func (s *SchoolPrograms) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolPrograms) SchoolYear_IsNil

func (s *SchoolPrograms) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container SchoolPrograms.

func (*SchoolPrograms) SetProperties

func (n *SchoolPrograms) SetProperties(props ...Prop) *SchoolPrograms

Set a sequence of properties

func (*SchoolPrograms) SetProperty

func (n *SchoolPrograms) SetProperty(key string, value interface{}) *SchoolPrograms

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolPrograms) Unset

func (n *SchoolPrograms) Unset(key string) *SchoolPrograms

Set the value of a property to nil

type SchoolProgramss

type SchoolProgramss struct {
	// contains filtered or unexported fields
}

func NewSchoolProgramss added in v0.1.0

func NewSchoolProgramss() *SchoolProgramss

Generates a new object as a pointer to a struct

func SchoolProgramssPointer added in v0.1.0

func SchoolProgramssPointer(value interface{}) (*SchoolProgramss, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolProgramss) AddNew added in v0.1.0

func (t *SchoolProgramss) AddNew() *SchoolProgramss

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SchoolProgramss) Append added in v0.1.0

func (t *SchoolProgramss) Append(values ...*SchoolPrograms) *SchoolProgramss

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolProgramss) Clone added in v0.1.0

func (t *SchoolProgramss) Clone() *SchoolProgramss

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolProgramss) Index added in v0.1.0

func (t *SchoolProgramss) Index(n int) *SchoolPrograms

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*SchoolProgramss) Last added in v0.1.0

func (t *SchoolProgramss) Last() *schoolprograms

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SchoolProgramss) Len added in v0.1.0

func (t *SchoolProgramss) Len() int

Length of the list.

func (*SchoolProgramss) ToSlice added in v0.1.0

func (t *SchoolProgramss) ToSlice() []*SchoolPrograms

Convert list object to slice

type SchoolTravelType

type SchoolTravelType struct {
	// contains filtered or unexported fields
}

func NewSchoolTravelType added in v0.1.0

func NewSchoolTravelType() *SchoolTravelType

Generates a new object as a pointer to a struct

func SchoolTravelTypePointer

func SchoolTravelTypePointer(value interface{}) (*SchoolTravelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SchoolTravelType) Clone

func (t *SchoolTravelType) Clone() *SchoolTravelType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SchoolTravelType) SetProperties

func (n *SchoolTravelType) SetProperties(props ...Prop) *SchoolTravelType

Set a sequence of properties

func (*SchoolTravelType) SetProperty

func (n *SchoolTravelType) SetProperty(key string, value interface{}) *SchoolTravelType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SchoolTravelType) TravelAccompaniment

func (s *SchoolTravelType) TravelAccompaniment() *AUCodeSetsAccompanimentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolTravelType) TravelAccompaniment_IsNil

func (s *SchoolTravelType) TravelAccompaniment_IsNil() bool

Returns whether the element value for TravelAccompaniment is nil in the container SchoolTravelType.

func (*SchoolTravelType) TravelDetails

func (s *SchoolTravelType) TravelDetails() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolTravelType) TravelDetails_IsNil

func (s *SchoolTravelType) TravelDetails_IsNil() bool

Returns whether the element value for TravelDetails is nil in the container SchoolTravelType.

func (*SchoolTravelType) TravelMode

func (s *SchoolTravelType) TravelMode() *AUCodeSetsTravelModeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SchoolTravelType) TravelMode_IsNil

func (s *SchoolTravelType) TravelMode_IsNil() bool

Returns whether the element value for TravelMode is nil in the container SchoolTravelType.

func (*SchoolTravelType) Unset

func (n *SchoolTravelType) Unset(key string) *SchoolTravelType

Set the value of a property to nil

type SchoolURLType

type SchoolURLType string

func SchoolURLTypePointer

func SchoolURLTypePointer(value interface{}) (*SchoolURLType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches SchoolURLType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*SchoolURLType) String

func (t *SchoolURLType) String() string

Return string value

type SchoolYearType

type SchoolYearType string

func SchoolYearTypePointer

func SchoolYearTypePointer(value interface{}) (*SchoolYearType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches SchoolYearType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*SchoolYearType) String

func (t *SchoolYearType) String() string

Return string value

type ScoreDescriptionListType

type ScoreDescriptionListType struct {
	// contains filtered or unexported fields
}

func NewScoreDescriptionListType added in v0.1.0

func NewScoreDescriptionListType() *ScoreDescriptionListType

Generates a new object as a pointer to a struct

func ScoreDescriptionListTypePointer

func ScoreDescriptionListTypePointer(value interface{}) (*ScoreDescriptionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScoreDescriptionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ScoreDescriptionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScoreDescriptionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScoreDescriptionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ScoreDescriptionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ScoreDescriptionListType) Len

func (t *ScoreDescriptionListType) Len() int

Length of the list.

func (*ScoreDescriptionListType) ToSlice added in v0.1.0

Convert list object to slice

type ScoreDescriptionType

type ScoreDescriptionType struct {
	// contains filtered or unexported fields
}

func NewScoreDescriptionType added in v0.1.0

func NewScoreDescriptionType() *ScoreDescriptionType

Generates a new object as a pointer to a struct

func ScoreDescriptionTypePointer

func ScoreDescriptionTypePointer(value interface{}) (*ScoreDescriptionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScoreDescriptionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScoreDescriptionType) Descriptor

func (s *ScoreDescriptionType) Descriptor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScoreDescriptionType) Descriptor_IsNil

func (s *ScoreDescriptionType) Descriptor_IsNil() bool

Returns whether the element value for Descriptor is nil in the container ScoreDescriptionType.

func (*ScoreDescriptionType) ScoreValue

func (s *ScoreDescriptionType) ScoreValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScoreDescriptionType) ScoreValue_IsNil

func (s *ScoreDescriptionType) ScoreValue_IsNil() bool

Returns whether the element value for ScoreValue is nil in the container ScoreDescriptionType.

func (*ScoreDescriptionType) SetProperties

func (n *ScoreDescriptionType) SetProperties(props ...Prop) *ScoreDescriptionType

Set a sequence of properties

func (*ScoreDescriptionType) SetProperty

func (n *ScoreDescriptionType) SetProperty(key string, value interface{}) *ScoreDescriptionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScoreDescriptionType) Unset

Set the value of a property to nil

type ScoreListType

type ScoreListType struct {
	// contains filtered or unexported fields
}

func NewScoreListType added in v0.1.0

func NewScoreListType() *ScoreListType

Generates a new object as a pointer to a struct

func ScoreListTypePointer

func ScoreListTypePointer(value interface{}) (*ScoreListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScoreListType) AddNew

func (t *ScoreListType) AddNew() *ScoreListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ScoreListType) Append

func (t *ScoreListType) Append(values ...ScoreType) *ScoreListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScoreListType) Clone

func (t *ScoreListType) Clone() *ScoreListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScoreListType) Index

func (t *ScoreListType) Index(n int) *ScoreType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ScoreListType) Last

func (t *ScoreListType) Last() *ScoreType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ScoreListType) Len

func (t *ScoreListType) Len() int

Length of the list.

func (*ScoreListType) ToSlice added in v0.1.0

func (t *ScoreListType) ToSlice() []*ScoreType

Convert list object to slice

type ScoreType

type ScoreType struct {
	// contains filtered or unexported fields
}

func NewScoreType added in v0.1.0

func NewScoreType() *ScoreType

Generates a new object as a pointer to a struct

func ScoreTypePointer

func ScoreTypePointer(value interface{}) (*ScoreType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ScoreType) Clone

func (t *ScoreType) Clone() *ScoreType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ScoreType) MaxScoreValue

func (s *ScoreType) MaxScoreValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScoreType) MaxScoreValue_IsNil

func (s *ScoreType) MaxScoreValue_IsNil() bool

Returns whether the element value for MaxScoreValue is nil in the container ScoreType.

func (*ScoreType) ScoreDescriptionList

func (s *ScoreType) ScoreDescriptionList() *ScoreDescriptionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ScoreType) ScoreDescriptionList_IsNil

func (s *ScoreType) ScoreDescriptionList_IsNil() bool

Returns whether the element value for ScoreDescriptionList is nil in the container ScoreType.

func (*ScoreType) SetProperties

func (n *ScoreType) SetProperties(props ...Prop) *ScoreType

Set a sequence of properties

func (*ScoreType) SetProperty

func (n *ScoreType) SetProperty(key string, value interface{}) *ScoreType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ScoreType) Unset

func (n *ScoreType) Unset(key string) *ScoreType

Set the value of a property to nil

type SectionInfo

type SectionInfo struct {
	// contains filtered or unexported fields
}

func NewSectionInfo added in v0.1.0

func NewSectionInfo() *SectionInfo

Generates a new object as a pointer to a struct

func SectionInfoPointer

func SectionInfoPointer(value interface{}) (*SectionInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func SectionInfoSlice

func SectionInfoSlice() []*SectionInfo

Create a slice of pointers to the object type

func (*SectionInfo) Clone

func (t *SectionInfo) Clone() *SectionInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SectionInfo) CountForAttendance

func (s *SectionInfo) CountForAttendance() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) CountForAttendance_IsNil

func (s *SectionInfo) CountForAttendance_IsNil() bool

Returns whether the element value for CountForAttendance is nil in the container SectionInfo.

func (*SectionInfo) CourseSectionCode

func (s *SectionInfo) CourseSectionCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) CourseSectionCode_IsNil

func (s *SectionInfo) CourseSectionCode_IsNil() bool

Returns whether the element value for CourseSectionCode is nil in the container SectionInfo.

func (*SectionInfo) Description

func (s *SectionInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) Description_IsNil

func (s *SectionInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container SectionInfo.

func (*SectionInfo) LanguageOfInstruction

func (s *SectionInfo) LanguageOfInstruction() *LanguageOfInstructionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) LanguageOfInstruction_IsNil

func (s *SectionInfo) LanguageOfInstruction_IsNil() bool

Returns whether the element value for LanguageOfInstruction is nil in the container SectionInfo.

func (*SectionInfo) LocalCodeList

func (s *SectionInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) LocalCodeList_IsNil

func (s *SectionInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container SectionInfo.

func (*SectionInfo) LocalId

func (s *SectionInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) LocalId_IsNil

func (s *SectionInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container SectionInfo.

func (*SectionInfo) LocationOfInstruction

func (s *SectionInfo) LocationOfInstruction() *LocationOfInstructionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) LocationOfInstruction_IsNil

func (s *SectionInfo) LocationOfInstruction_IsNil() bool

Returns whether the element value for LocationOfInstruction is nil in the container SectionInfo.

func (*SectionInfo) MediumOfInstruction

func (s *SectionInfo) MediumOfInstruction() *MediumOfInstructionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) MediumOfInstruction_IsNil

func (s *SectionInfo) MediumOfInstruction_IsNil() bool

Returns whether the element value for MediumOfInstruction is nil in the container SectionInfo.

func (*SectionInfo) RefId

func (s *SectionInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) RefId_IsNil

func (s *SectionInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container SectionInfo.

func (*SectionInfo) SIF_ExtendedElements

func (s *SectionInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SIF_ExtendedElements_IsNil

func (s *SectionInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container SectionInfo.

func (*SectionInfo) SIF_Metadata

func (s *SectionInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SIF_Metadata_IsNil

func (s *SectionInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container SectionInfo.

func (*SectionInfo) SchoolCourseInfoOverride

func (s *SectionInfo) SchoolCourseInfoOverride() *SchoolCourseInfoOverrideType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SchoolCourseInfoOverride_IsNil

func (s *SectionInfo) SchoolCourseInfoOverride_IsNil() bool

Returns whether the element value for SchoolCourseInfoOverride is nil in the container SectionInfo.

func (*SectionInfo) SchoolCourseInfoRefId

func (s *SectionInfo) SchoolCourseInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SchoolCourseInfoRefId_IsNil

func (s *SectionInfo) SchoolCourseInfoRefId_IsNil() bool

Returns whether the element value for SchoolCourseInfoRefId is nil in the container SectionInfo.

func (*SectionInfo) SchoolYear

func (s *SectionInfo) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SchoolYear_IsNil

func (s *SectionInfo) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container SectionInfo.

func (*SectionInfo) SectionCode

func (s *SectionInfo) SectionCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SectionCode_IsNil

func (s *SectionInfo) SectionCode_IsNil() bool

Returns whether the element value for SectionCode is nil in the container SectionInfo.

func (*SectionInfo) SetProperties

func (n *SectionInfo) SetProperties(props ...Prop) *SectionInfo

Set a sequence of properties

func (*SectionInfo) SetProperty

func (n *SectionInfo) SetProperty(key string, value interface{}) *SectionInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SectionInfo) SummerSchool

func (s *SectionInfo) SummerSchool() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) SummerSchool_IsNil

func (s *SectionInfo) SummerSchool_IsNil() bool

Returns whether the element value for SummerSchool is nil in the container SectionInfo.

func (*SectionInfo) TermInfoRefId

func (s *SectionInfo) TermInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SectionInfo) TermInfoRefId_IsNil

func (s *SectionInfo) TermInfoRefId_IsNil() bool

Returns whether the element value for TermInfoRefId is nil in the container SectionInfo.

func (*SectionInfo) Unset

func (n *SectionInfo) Unset(key string) *SectionInfo

Set the value of a property to nil

type SectionInfos

type SectionInfos struct {
	// contains filtered or unexported fields
}

func NewSectionInfos added in v0.1.0

func NewSectionInfos() *SectionInfos

Generates a new object as a pointer to a struct

func SectionInfosPointer added in v0.1.0

func SectionInfosPointer(value interface{}) (*SectionInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SectionInfos) AddNew added in v0.1.0

func (t *SectionInfos) AddNew() *SectionInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SectionInfos) Append added in v0.1.0

func (t *SectionInfos) Append(values ...*SectionInfo) *SectionInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SectionInfos) Clone added in v0.1.0

func (t *SectionInfos) Clone() *SectionInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SectionInfos) Index added in v0.1.0

func (t *SectionInfos) Index(n int) *SectionInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*SectionInfos) Last added in v0.1.0

func (t *SectionInfos) Last() *sectioninfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SectionInfos) Len added in v0.1.0

func (t *SectionInfos) Len() int

Length of the list.

func (*SectionInfos) ToSlice added in v0.1.0

func (t *SectionInfos) ToSlice() []*SectionInfo

Convert list object to slice

type SelectedContentType

type SelectedContentType string

func SelectedContentTypePointer

func SelectedContentTypePointer(value interface{}) (*SelectedContentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches SelectedContentType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*SelectedContentType) String

func (t *SelectedContentType) String() string

Return string value

type ServiceNameType

type ServiceNameType string

func ServiceNameTypePointer

func ServiceNameTypePointer(value interface{}) (*ServiceNameType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches ServiceNameType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*ServiceNameType) String

func (t *ServiceNameType) String() string

Return string value

type SessionInfo

type SessionInfo struct {
	// contains filtered or unexported fields
}

func NewSessionInfo added in v0.1.0

func NewSessionInfo() *SessionInfo

Generates a new object as a pointer to a struct

func SessionInfoPointer

func SessionInfoPointer(value interface{}) (*SessionInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func SessionInfoSlice

func SessionInfoSlice() []*SessionInfo

Create a slice of pointers to the object type

func (*SessionInfo) Clone

func (t *SessionInfo) Clone() *SessionInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SessionInfo) DayId

func (s *SessionInfo) DayId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) DayId_IsNil

func (s *SessionInfo) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container SessionInfo.

func (*SessionInfo) FinishTime

func (s *SessionInfo) FinishTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) FinishTime_IsNil

func (s *SessionInfo) FinishTime_IsNil() bool

Returns whether the element value for FinishTime is nil in the container SessionInfo.

func (*SessionInfo) LocalCodeList

func (s *SessionInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) LocalCodeList_IsNil

func (s *SessionInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container SessionInfo.

func (*SessionInfo) LocalId

func (s *SessionInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) LocalId_IsNil

func (s *SessionInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container SessionInfo.

func (*SessionInfo) PeriodId

func (s *SessionInfo) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) PeriodId_IsNil

func (s *SessionInfo) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container SessionInfo.

func (*SessionInfo) RefId

func (s *SessionInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) RefId_IsNil

func (s *SessionInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container SessionInfo.

func (*SessionInfo) RollMarked

func (s *SessionInfo) RollMarked() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) RollMarked_IsNil

func (s *SessionInfo) RollMarked_IsNil() bool

Returns whether the element value for RollMarked is nil in the container SessionInfo.

func (*SessionInfo) RoomNumber

func (s *SessionInfo) RoomNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) RoomNumber_IsNil

func (s *SessionInfo) RoomNumber_IsNil() bool

Returns whether the element value for RoomNumber is nil in the container SessionInfo.

func (*SessionInfo) SIF_ExtendedElements

func (s *SessionInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SIF_ExtendedElements_IsNil

func (s *SessionInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container SessionInfo.

func (*SessionInfo) SIF_Metadata

func (s *SessionInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SIF_Metadata_IsNil

func (s *SessionInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container SessionInfo.

func (*SessionInfo) SchoolInfoRefId

func (s *SessionInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SchoolInfoRefId_IsNil

func (s *SessionInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container SessionInfo.

func (*SessionInfo) SchoolLocalId

func (s *SessionInfo) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SchoolLocalId_IsNil

func (s *SessionInfo) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container SessionInfo.

func (*SessionInfo) SchoolYear

func (s *SessionInfo) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SchoolYear_IsNil

func (s *SessionInfo) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container SessionInfo.

func (*SessionInfo) SessionDate

func (s *SessionInfo) SessionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) SessionDate_IsNil

func (s *SessionInfo) SessionDate_IsNil() bool

Returns whether the element value for SessionDate is nil in the container SessionInfo.

func (*SessionInfo) SetProperties

func (n *SessionInfo) SetProperties(props ...Prop) *SessionInfo

Set a sequence of properties

func (*SessionInfo) SetProperty

func (n *SessionInfo) SetProperty(key string, value interface{}) *SessionInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SessionInfo) StaffPersonalLocalId

func (s *SessionInfo) StaffPersonalLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) StaffPersonalLocalId_IsNil

func (s *SessionInfo) StaffPersonalLocalId_IsNil() bool

Returns whether the element value for StaffPersonalLocalId is nil in the container SessionInfo.

func (*SessionInfo) StartTime

func (s *SessionInfo) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) StartTime_IsNil

func (s *SessionInfo) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container SessionInfo.

func (*SessionInfo) TeachingGroupLocalId

func (s *SessionInfo) TeachingGroupLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) TeachingGroupLocalId_IsNil

func (s *SessionInfo) TeachingGroupLocalId_IsNil() bool

Returns whether the element value for TeachingGroupLocalId is nil in the container SessionInfo.

func (*SessionInfo) TimeTableCellRefId

func (s *SessionInfo) TimeTableCellRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) TimeTableCellRefId_IsNil

func (s *SessionInfo) TimeTableCellRefId_IsNil() bool

Returns whether the element value for TimeTableCellRefId is nil in the container SessionInfo.

func (*SessionInfo) TimeTableSubjectLocalId

func (s *SessionInfo) TimeTableSubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SessionInfo) TimeTableSubjectLocalId_IsNil

func (s *SessionInfo) TimeTableSubjectLocalId_IsNil() bool

Returns whether the element value for TimeTableSubjectLocalId is nil in the container SessionInfo.

func (*SessionInfo) Unset

func (n *SessionInfo) Unset(key string) *SessionInfo

Set the value of a property to nil

type SessionInfos

type SessionInfos struct {
	// contains filtered or unexported fields
}

func NewSessionInfos added in v0.1.0

func NewSessionInfos() *SessionInfos

Generates a new object as a pointer to a struct

func SessionInfosPointer added in v0.1.0

func SessionInfosPointer(value interface{}) (*SessionInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SessionInfos) AddNew added in v0.1.0

func (t *SessionInfos) AddNew() *SessionInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SessionInfos) Append added in v0.1.0

func (t *SessionInfos) Append(values ...*SessionInfo) *SessionInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SessionInfos) Clone added in v0.1.0

func (t *SessionInfos) Clone() *SessionInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SessionInfos) Index added in v0.1.0

func (t *SessionInfos) Index(n int) *SessionInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*SessionInfos) Last added in v0.1.0

func (t *SessionInfos) Last() *sessioninfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SessionInfos) Len added in v0.1.0

func (t *SessionInfos) Len() int

Length of the list.

func (*SessionInfos) ToSlice added in v0.1.0

func (t *SessionInfos) ToSlice() []*SessionInfo

Convert list object to slice

type SettingLocationListType

type SettingLocationListType struct {
	// contains filtered or unexported fields
}

func NewSettingLocationListType added in v0.1.0

func NewSettingLocationListType() *SettingLocationListType

Generates a new object as a pointer to a struct

func SettingLocationListTypePointer

func SettingLocationListTypePointer(value interface{}) (*SettingLocationListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SettingLocationListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SettingLocationListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SettingLocationListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SettingLocationListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SettingLocationListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SettingLocationListType) Len

func (t *SettingLocationListType) Len() int

Length of the list.

func (*SettingLocationListType) ToSlice added in v0.1.0

Convert list object to slice

type SettingLocationType

type SettingLocationType struct {
	// contains filtered or unexported fields
}

func NewSettingLocationType added in v0.1.0

func NewSettingLocationType() *SettingLocationType

Generates a new object as a pointer to a struct

func SettingLocationTypePointer

func SettingLocationTypePointer(value interface{}) (*SettingLocationType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SettingLocationType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SettingLocationType) SetProperties

func (n *SettingLocationType) SetProperties(props ...Prop) *SettingLocationType

Set a sequence of properties

func (*SettingLocationType) SetProperty

func (n *SettingLocationType) SetProperty(key string, value interface{}) *SettingLocationType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SettingLocationType) SettingLocationName

func (s *SettingLocationType) SettingLocationName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SettingLocationType) SettingLocationName_IsNil

func (s *SettingLocationType) SettingLocationName_IsNil() bool

Returns whether the element value for SettingLocationName is nil in the container SettingLocationType.

func (*SettingLocationType) SettingLocationObjectTypeName

func (s *SettingLocationType) SettingLocationObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SettingLocationType) SettingLocationObjectTypeName_IsNil

func (s *SettingLocationType) SettingLocationObjectTypeName_IsNil() bool

Returns whether the element value for SettingLocationObjectTypeName is nil in the container SettingLocationType.

func (*SettingLocationType) SettingLocationRefId

func (s *SettingLocationType) SettingLocationRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SettingLocationType) SettingLocationRefId_IsNil

func (s *SettingLocationType) SettingLocationRefId_IsNil() bool

Returns whether the element value for SettingLocationRefId is nil in the container SettingLocationType.

func (*SettingLocationType) SettingLocationType

func (s *SettingLocationType) SettingLocationType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SettingLocationType) SettingLocationType_IsNil

func (s *SettingLocationType) SettingLocationType_IsNil() bool

Returns whether the element value for SettingLocationType is nil in the container SettingLocationType.

func (*SettingLocationType) Unset

Set the value of a property to nil

type ShareWithListType

type ShareWithListType struct {
	// contains filtered or unexported fields
}

func NewShareWithListType added in v0.1.0

func NewShareWithListType() *ShareWithListType

Generates a new object as a pointer to a struct

func ShareWithListTypePointer

func ShareWithListTypePointer(value interface{}) (*ShareWithListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ShareWithListType) AddNew

func (t *ShareWithListType) AddNew() *ShareWithListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ShareWithListType) Append

func (t *ShareWithListType) Append(values ...ShareWithType) *ShareWithListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ShareWithListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ShareWithListType) Index

func (t *ShareWithListType) Index(n int) *ShareWithType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ShareWithListType) Last

func (t *ShareWithListType) Last() *ShareWithType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ShareWithListType) Len

func (t *ShareWithListType) Len() int

Length of the list.

func (*ShareWithListType) ToSlice added in v0.1.0

func (t *ShareWithListType) ToSlice() []*ShareWithType

Convert list object to slice

type ShareWithType

type ShareWithType struct {
	// contains filtered or unexported fields
}

func NewShareWithType added in v0.1.0

func NewShareWithType() *ShareWithType

Generates a new object as a pointer to a struct

func ShareWithTypePointer

func ShareWithTypePointer(value interface{}) (*ShareWithType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ShareWithType) Clone

func (t *ShareWithType) Clone() *ShareWithType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ShareWithType) PermissionToOnShare

func (s *ShareWithType) PermissionToOnShare() *GenericYesNoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) PermissionToOnShare_IsNil

func (s *ShareWithType) PermissionToOnShare_IsNil() bool

Returns whether the element value for PermissionToOnShare is nil in the container ShareWithType.

func (*ShareWithType) SetProperties

func (n *ShareWithType) SetProperties(props ...Prop) *ShareWithType

Set a sequence of properties

func (*ShareWithType) SetProperty

func (n *ShareWithType) SetProperty(key string, value interface{}) *ShareWithType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ShareWithType) ShareWithComments

func (s *ShareWithType) ShareWithComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithComments_IsNil

func (s *ShareWithType) ShareWithComments_IsNil() bool

Returns whether the element value for ShareWithComments is nil in the container ShareWithType.

func (*ShareWithType) ShareWithLocalId

func (s *ShareWithType) ShareWithLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithLocalId_IsNil

func (s *ShareWithType) ShareWithLocalId_IsNil() bool

Returns whether the element value for ShareWithLocalId is nil in the container ShareWithType.

func (*ShareWithType) ShareWithName

func (s *ShareWithType) ShareWithName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithName_IsNil

func (s *ShareWithType) ShareWithName_IsNil() bool

Returns whether the element value for ShareWithName is nil in the container ShareWithType.

func (*ShareWithType) ShareWithObjectTypeName

func (s *ShareWithType) ShareWithObjectTypeName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithObjectTypeName_IsNil

func (s *ShareWithType) ShareWithObjectTypeName_IsNil() bool

Returns whether the element value for ShareWithObjectTypeName is nil in the container ShareWithType.

func (*ShareWithType) ShareWithParty

func (s *ShareWithType) ShareWithParty() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithParty_IsNil

func (s *ShareWithType) ShareWithParty_IsNil() bool

Returns whether the element value for ShareWithParty is nil in the container ShareWithType.

func (*ShareWithType) ShareWithPurpose

func (s *ShareWithType) ShareWithPurpose() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithPurpose_IsNil

func (s *ShareWithType) ShareWithPurpose_IsNil() bool

Returns whether the element value for ShareWithPurpose is nil in the container ShareWithType.

func (*ShareWithType) ShareWithRefId

func (s *ShareWithType) ShareWithRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithRefId_IsNil

func (s *ShareWithType) ShareWithRefId_IsNil() bool

Returns whether the element value for ShareWithRefId is nil in the container ShareWithType.

func (*ShareWithType) ShareWithRelationship

func (s *ShareWithType) ShareWithRelationship() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithRelationship_IsNil

func (s *ShareWithType) ShareWithRelationship_IsNil() bool

Returns whether the element value for ShareWithRelationship is nil in the container ShareWithType.

func (*ShareWithType) ShareWithRole

func (s *ShareWithType) ShareWithRole() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithRole_IsNil

func (s *ShareWithType) ShareWithRole_IsNil() bool

Returns whether the element value for ShareWithRole is nil in the container ShareWithType.

func (*ShareWithType) ShareWithURL

func (s *ShareWithType) ShareWithURL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ShareWithType) ShareWithURL_IsNil

func (s *ShareWithType) ShareWithURL_IsNil() bool

Returns whether the element value for ShareWithURL is nil in the container ShareWithType.

func (*ShareWithType) Unset

func (n *ShareWithType) Unset(key string) *ShareWithType

Set the value of a property to nil

type SignatoryType

type SignatoryType struct {
	// contains filtered or unexported fields
}

func NewSignatoryType added in v0.1.0

func NewSignatoryType() *SignatoryType

Generates a new object as a pointer to a struct

func SignatoryTypePointer

func SignatoryTypePointer(value interface{}) (*SignatoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SignatoryType) Clone

func (t *SignatoryType) Clone() *SignatoryType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SignatoryType) Date

func (s *SignatoryType) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) Date_IsNil

func (s *SignatoryType) Date_IsNil() bool

Returns whether the element value for Date is nil in the container SignatoryType.

func (*SignatoryType) Name

func (s *SignatoryType) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) Name_IsNil

func (s *SignatoryType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container SignatoryType.

func (*SignatoryType) Organisation

func (s *SignatoryType) Organisation() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) Organisation_IsNil

func (s *SignatoryType) Organisation_IsNil() bool

Returns whether the element value for Organisation is nil in the container SignatoryType.

func (*SignatoryType) Role

func (s *SignatoryType) Role() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) Role_IsNil

func (s *SignatoryType) Role_IsNil() bool

Returns whether the element value for Role is nil in the container SignatoryType.

func (*SignatoryType) SetProperties

func (n *SignatoryType) SetProperties(props ...Prop) *SignatoryType

Set a sequence of properties

func (*SignatoryType) SetProperty

func (n *SignatoryType) SetProperty(key string, value interface{}) *SignatoryType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SignatoryType) Signature

func (s *SignatoryType) Signature() *URIOrBinaryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) SignatureImageType

func (s *SignatoryType) SignatureImageType() *AUCodeSetsPictureSourceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SignatoryType) SignatureImageType_IsNil

func (s *SignatoryType) SignatureImageType_IsNil() bool

Returns whether the element value for SignatureImageType is nil in the container SignatoryType.

func (*SignatoryType) Signature_IsNil

func (s *SignatoryType) Signature_IsNil() bool

Returns whether the element value for Signature is nil in the container SignatoryType.

func (*SignatoryType) Unset

func (n *SignatoryType) Unset(key string) *SignatoryType

Set the value of a property to nil

type SoftwareRequirementListType

type SoftwareRequirementListType struct {
	// contains filtered or unexported fields
}

func NewSoftwareRequirementListType added in v0.1.0

func NewSoftwareRequirementListType() *SoftwareRequirementListType

Generates a new object as a pointer to a struct

func SoftwareRequirementListTypePointer

func SoftwareRequirementListTypePointer(value interface{}) (*SoftwareRequirementListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SoftwareRequirementListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SoftwareRequirementListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SoftwareRequirementListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SoftwareRequirementListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SoftwareRequirementListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SoftwareRequirementListType) Len

Length of the list.

func (*SoftwareRequirementListType) ToSlice added in v0.1.0

Convert list object to slice

type SoftwareRequirementType

type SoftwareRequirementType struct {
	// contains filtered or unexported fields
}

func NewSoftwareRequirementType added in v0.1.0

func NewSoftwareRequirementType() *SoftwareRequirementType

Generates a new object as a pointer to a struct

func SoftwareRequirementTypePointer

func SoftwareRequirementTypePointer(value interface{}) (*SoftwareRequirementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SoftwareRequirementType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SoftwareRequirementType) OS

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareRequirementType) OS_IsNil

func (s *SoftwareRequirementType) OS_IsNil() bool

Returns whether the element value for OS is nil in the container SoftwareRequirementType.

func (*SoftwareRequirementType) SetProperties

func (n *SoftwareRequirementType) SetProperties(props ...Prop) *SoftwareRequirementType

Set a sequence of properties

func (*SoftwareRequirementType) SetProperty

func (n *SoftwareRequirementType) SetProperty(key string, value interface{}) *SoftwareRequirementType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SoftwareRequirementType) SoftwareTitle

func (s *SoftwareRequirementType) SoftwareTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareRequirementType) SoftwareTitle_IsNil

func (s *SoftwareRequirementType) SoftwareTitle_IsNil() bool

Returns whether the element value for SoftwareTitle is nil in the container SoftwareRequirementType.

func (*SoftwareRequirementType) Unset

Set the value of a property to nil

func (*SoftwareRequirementType) Vendor

func (s *SoftwareRequirementType) Vendor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareRequirementType) Vendor_IsNil

func (s *SoftwareRequirementType) Vendor_IsNil() bool

Returns whether the element value for Vendor is nil in the container SoftwareRequirementType.

func (*SoftwareRequirementType) Version

func (s *SoftwareRequirementType) Version() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareRequirementType) Version_IsNil

func (s *SoftwareRequirementType) Version_IsNil() bool

Returns whether the element value for Version is nil in the container SoftwareRequirementType.

type SoftwareVendorInfoContainerType

type SoftwareVendorInfoContainerType struct {
	// contains filtered or unexported fields
}

func NewSoftwareVendorInfoContainerType added in v0.1.0

func NewSoftwareVendorInfoContainerType() *SoftwareVendorInfoContainerType

Generates a new object as a pointer to a struct

func SoftwareVendorInfoContainerTypePointer

func SoftwareVendorInfoContainerTypePointer(value interface{}) (*SoftwareVendorInfoContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SoftwareVendorInfoContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SoftwareVendorInfoContainerType) SetProperties

Set a sequence of properties

func (*SoftwareVendorInfoContainerType) SetProperty

func (n *SoftwareVendorInfoContainerType) SetProperty(key string, value interface{}) *SoftwareVendorInfoContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SoftwareVendorInfoContainerType) SoftwareProduct

func (s *SoftwareVendorInfoContainerType) SoftwareProduct() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareVendorInfoContainerType) SoftwareProduct_IsNil

func (s *SoftwareVendorInfoContainerType) SoftwareProduct_IsNil() bool

Returns whether the element value for SoftwareProduct is nil in the container SoftwareVendorInfoContainerType.

func (*SoftwareVendorInfoContainerType) SoftwareVersion

func (s *SoftwareVendorInfoContainerType) SoftwareVersion() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SoftwareVendorInfoContainerType) SoftwareVersion_IsNil

func (s *SoftwareVendorInfoContainerType) SoftwareVersion_IsNil() bool

Returns whether the element value for SoftwareVersion is nil in the container SoftwareVendorInfoContainerType.

func (*SoftwareVendorInfoContainerType) Unset

Set the value of a property to nil

type SourceObjectsType

type SourceObjectsType struct {
	// contains filtered or unexported fields
}

func NewSourceObjectsType added in v0.1.0

func NewSourceObjectsType() *SourceObjectsType

Generates a new object as a pointer to a struct

func SourceObjectsTypePointer

func SourceObjectsTypePointer(value interface{}) (*SourceObjectsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SourceObjectsType) AddNew

func (t *SourceObjectsType) AddNew() *SourceObjectsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SourceObjectsType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SourceObjectsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SourceObjectsType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SourceObjectsType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SourceObjectsType) Len

func (t *SourceObjectsType) Len() int

Length of the list.

func (*SourceObjectsType) ToSlice added in v0.1.0

Convert list object to slice

type SourceObjectsType_SourceObject

type SourceObjectsType_SourceObject struct {
	// contains filtered or unexported fields
}

func NewSourceObjectsType_SourceObject added in v0.1.0

func NewSourceObjectsType_SourceObject() *SourceObjectsType_SourceObject

Generates a new object as a pointer to a struct

func SourceObjectsType_SourceObjectPointer

func SourceObjectsType_SourceObjectPointer(value interface{}) (*SourceObjectsType_SourceObject, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SourceObjectsType_SourceObject) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SourceObjectsType_SourceObject) SIF_RefObject

func (s *SourceObjectsType_SourceObject) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SourceObjectsType_SourceObject) SIF_RefObject_IsNil

func (s *SourceObjectsType_SourceObject) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container SourceObjectsType_SourceObject.

func (*SourceObjectsType_SourceObject) SetProperties

Set a sequence of properties

func (*SourceObjectsType_SourceObject) SetProperty

func (n *SourceObjectsType_SourceObject) SetProperty(key string, value interface{}) *SourceObjectsType_SourceObject

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SourceObjectsType_SourceObject) Unset

Set the value of a property to nil

func (*SourceObjectsType_SourceObject) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SourceObjectsType_SourceObject) Value_IsNil

func (s *SourceObjectsType_SourceObject) Value_IsNil() bool

Returns whether the element value for Value is nil in the container SourceObjectsType_SourceObject.

type SpanGapListType

type SpanGapListType struct {
	// contains filtered or unexported fields
}

func NewSpanGapListType added in v0.1.0

func NewSpanGapListType() *SpanGapListType

Generates a new object as a pointer to a struct

func SpanGapListTypePointer

func SpanGapListTypePointer(value interface{}) (*SpanGapListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SpanGapListType) AddNew

func (t *SpanGapListType) AddNew() *SpanGapListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SpanGapListType) Append

func (t *SpanGapListType) Append(values ...SpanGapType) *SpanGapListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SpanGapListType) Clone

func (t *SpanGapListType) Clone() *SpanGapListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SpanGapListType) Index

func (t *SpanGapListType) Index(n int) *SpanGapType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SpanGapListType) Last

func (t *SpanGapListType) Last() *SpanGapType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SpanGapListType) Len

func (t *SpanGapListType) Len() int

Length of the list.

func (*SpanGapListType) ToSlice added in v0.1.0

func (t *SpanGapListType) ToSlice() []*SpanGapType

Convert list object to slice

type SpanGapType

type SpanGapType struct {
	// contains filtered or unexported fields
}

func NewSpanGapType added in v0.1.0

func NewSpanGapType() *SpanGapType

Generates a new object as a pointer to a struct

func SpanGapTypePointer

func SpanGapTypePointer(value interface{}) (*SpanGapType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SpanGapType) Clone

func (t *SpanGapType) Clone() *SpanGapType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SpanGapType) EndDateTime

func (s *SpanGapType) EndDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SpanGapType) EndDateTime_IsNil

func (s *SpanGapType) EndDateTime_IsNil() bool

Returns whether the element value for EndDateTime is nil in the container SpanGapType.

func (*SpanGapType) SetProperties

func (n *SpanGapType) SetProperties(props ...Prop) *SpanGapType

Set a sequence of properties

func (*SpanGapType) SetProperty

func (n *SpanGapType) SetProperty(key string, value interface{}) *SpanGapType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SpanGapType) StartDateTime

func (s *SpanGapType) StartDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SpanGapType) StartDateTime_IsNil

func (s *SpanGapType) StartDateTime_IsNil() bool

Returns whether the element value for StartDateTime is nil in the container SpanGapType.

func (*SpanGapType) Unset

func (n *SpanGapType) Unset(key string) *SpanGapType

Set the value of a property to nil

type StaffActivityExtensionType

type StaffActivityExtensionType struct {
	// contains filtered or unexported fields
}

func NewStaffActivityExtensionType added in v0.1.0

func NewStaffActivityExtensionType() *StaffActivityExtensionType

Generates a new object as a pointer to a struct

func StaffActivityExtensionTypePointer

func StaffActivityExtensionTypePointer(value interface{}) (*StaffActivityExtensionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffActivityExtensionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffActivityExtensionType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffActivityExtensionType) Code_IsNil

func (s *StaffActivityExtensionType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container StaffActivityExtensionType.

func (*StaffActivityExtensionType) OtherCodeList

func (s *StaffActivityExtensionType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffActivityExtensionType) OtherCodeList_IsNil

func (s *StaffActivityExtensionType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container StaffActivityExtensionType.

func (*StaffActivityExtensionType) SetProperties

func (n *StaffActivityExtensionType) SetProperties(props ...Prop) *StaffActivityExtensionType

Set a sequence of properties

func (*StaffActivityExtensionType) SetProperty

func (n *StaffActivityExtensionType) SetProperty(key string, value interface{}) *StaffActivityExtensionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffActivityExtensionType) Unset

Set the value of a property to nil

type StaffAssignment

type StaffAssignment struct {
	// contains filtered or unexported fields
}

func NewStaffAssignment added in v0.1.0

func NewStaffAssignment() *StaffAssignment

Generates a new object as a pointer to a struct

func StaffAssignmentPointer

func StaffAssignmentPointer(value interface{}) (*StaffAssignment, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StaffAssignmentSlice

func StaffAssignmentSlice() []*StaffAssignment

Create a slice of pointers to the object type

func (*StaffAssignment) AvailableForTimetable

func (s *StaffAssignment) AvailableForTimetable() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) AvailableForTimetable_IsNil

func (s *StaffAssignment) AvailableForTimetable_IsNil() bool

Returns whether the element value for AvailableForTimetable is nil in the container StaffAssignment.

func (*StaffAssignment) CalendarSummaryList

func (s *StaffAssignment) CalendarSummaryList() *CalendarSummaryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) CalendarSummaryList_IsNil

func (s *StaffAssignment) CalendarSummaryList_IsNil() bool

Returns whether the element value for CalendarSummaryList is nil in the container StaffAssignment.

func (*StaffAssignment) CasualReliefTeacher

func (s *StaffAssignment) CasualReliefTeacher() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) CasualReliefTeacher_IsNil

func (s *StaffAssignment) CasualReliefTeacher_IsNil() bool

Returns whether the element value for CasualReliefTeacher is nil in the container StaffAssignment.

func (*StaffAssignment) Clone

func (t *StaffAssignment) Clone() *StaffAssignment

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffAssignment) Description

func (s *StaffAssignment) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) Description_IsNil

func (s *StaffAssignment) Description_IsNil() bool

Returns whether the element value for Description is nil in the container StaffAssignment.

func (*StaffAssignment) EmploymentStatus

func (s *StaffAssignment) EmploymentStatus() *AUCodeSetsStaffStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) EmploymentStatus_IsNil

func (s *StaffAssignment) EmploymentStatus_IsNil() bool

Returns whether the element value for EmploymentStatus is nil in the container StaffAssignment.

func (*StaffAssignment) Homegroup

func (s *StaffAssignment) Homegroup() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) Homegroup_IsNil

func (s *StaffAssignment) Homegroup_IsNil() bool

Returns whether the element value for Homegroup is nil in the container StaffAssignment.

func (*StaffAssignment) House

func (s *StaffAssignment) House() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) House_IsNil

func (s *StaffAssignment) House_IsNil() bool

Returns whether the element value for House is nil in the container StaffAssignment.

func (*StaffAssignment) JobEndDate

func (s *StaffAssignment) JobEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) JobEndDate_IsNil

func (s *StaffAssignment) JobEndDate_IsNil() bool

Returns whether the element value for JobEndDate is nil in the container StaffAssignment.

func (*StaffAssignment) JobFTE

func (s *StaffAssignment) JobFTE() *FTEType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) JobFTE_IsNil

func (s *StaffAssignment) JobFTE_IsNil() bool

Returns whether the element value for JobFTE is nil in the container StaffAssignment.

func (*StaffAssignment) JobFunction

func (s *StaffAssignment) JobFunction() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) JobFunction_IsNil

func (s *StaffAssignment) JobFunction_IsNil() bool

Returns whether the element value for JobFunction is nil in the container StaffAssignment.

func (*StaffAssignment) JobStartDate

func (s *StaffAssignment) JobStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) JobStartDate_IsNil

func (s *StaffAssignment) JobStartDate_IsNil() bool

Returns whether the element value for JobStartDate is nil in the container StaffAssignment.

func (*StaffAssignment) LocalCodeList

func (s *StaffAssignment) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) LocalCodeList_IsNil

func (s *StaffAssignment) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StaffAssignment.

func (*StaffAssignment) PreviousSchoolName

func (s *StaffAssignment) PreviousSchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) PreviousSchoolName_IsNil

func (s *StaffAssignment) PreviousSchoolName_IsNil() bool

Returns whether the element value for PreviousSchoolName is nil in the container StaffAssignment.

func (*StaffAssignment) PrimaryAssignment

func (s *StaffAssignment) PrimaryAssignment() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) PrimaryAssignment_IsNil

func (s *StaffAssignment) PrimaryAssignment_IsNil() bool

Returns whether the element value for PrimaryAssignment is nil in the container StaffAssignment.

func (*StaffAssignment) RefId

func (s *StaffAssignment) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) RefId_IsNil

func (s *StaffAssignment) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StaffAssignment.

func (*StaffAssignment) SIF_ExtendedElements

func (s *StaffAssignment) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) SIF_ExtendedElements_IsNil

func (s *StaffAssignment) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StaffAssignment.

func (*StaffAssignment) SIF_Metadata

func (s *StaffAssignment) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) SIF_Metadata_IsNil

func (s *StaffAssignment) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StaffAssignment.

func (*StaffAssignment) SchoolInfoRefId

func (s *StaffAssignment) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) SchoolInfoRefId_IsNil

func (s *StaffAssignment) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StaffAssignment.

func (*StaffAssignment) SchoolYear

func (s *StaffAssignment) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) SchoolYear_IsNil

func (s *StaffAssignment) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StaffAssignment.

func (*StaffAssignment) SetProperties

func (n *StaffAssignment) SetProperties(props ...Prop) *StaffAssignment

Set a sequence of properties

func (*StaffAssignment) SetProperty

func (n *StaffAssignment) SetProperty(key string, value interface{}) *StaffAssignment

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffAssignment) StaffActivity

func (s *StaffAssignment) StaffActivity() *StaffActivityExtensionType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) StaffActivity_IsNil

func (s *StaffAssignment) StaffActivity_IsNil() bool

Returns whether the element value for StaffActivity is nil in the container StaffAssignment.

func (*StaffAssignment) StaffPersonalRefId

func (s *StaffAssignment) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) StaffPersonalRefId_IsNil

func (s *StaffAssignment) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container StaffAssignment.

func (*StaffAssignment) StaffSubjectList

func (s *StaffAssignment) StaffSubjectList() *StaffSubjectListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) StaffSubjectList_IsNil

func (s *StaffAssignment) StaffSubjectList_IsNil() bool

Returns whether the element value for StaffSubjectList is nil in the container StaffAssignment.

func (*StaffAssignment) Unset

func (n *StaffAssignment) Unset(key string) *StaffAssignment

Set the value of a property to nil

func (*StaffAssignment) YearLevels

func (s *StaffAssignment) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignment) YearLevels_IsNil

func (s *StaffAssignment) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container StaffAssignment.

type StaffAssignmentMostRecentContainerType

type StaffAssignmentMostRecentContainerType struct {
	// contains filtered or unexported fields
}

func NewStaffAssignmentMostRecentContainerType added in v0.1.0

func NewStaffAssignmentMostRecentContainerType() *StaffAssignmentMostRecentContainerType

Generates a new object as a pointer to a struct

func StaffAssignmentMostRecentContainerTypePointer

func StaffAssignmentMostRecentContainerTypePointer(value interface{}) (*StaffAssignmentMostRecentContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffAssignmentMostRecentContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffAssignmentMostRecentContainerType) PrimaryFTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignmentMostRecentContainerType) PrimaryFTE_IsNil

func (s *StaffAssignmentMostRecentContainerType) PrimaryFTE_IsNil() bool

Returns whether the element value for PrimaryFTE is nil in the container StaffAssignmentMostRecentContainerType.

func (*StaffAssignmentMostRecentContainerType) SecondaryFTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffAssignmentMostRecentContainerType) SecondaryFTE_IsNil

func (s *StaffAssignmentMostRecentContainerType) SecondaryFTE_IsNil() bool

Returns whether the element value for SecondaryFTE is nil in the container StaffAssignmentMostRecentContainerType.

func (*StaffAssignmentMostRecentContainerType) SetProperties

Set a sequence of properties

func (*StaffAssignmentMostRecentContainerType) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffAssignmentMostRecentContainerType) Unset

Set the value of a property to nil

type StaffAssignments

type StaffAssignments struct {
	// contains filtered or unexported fields
}

func NewStaffAssignments added in v0.1.0

func NewStaffAssignments() *StaffAssignments

Generates a new object as a pointer to a struct

func StaffAssignmentsPointer added in v0.1.0

func StaffAssignmentsPointer(value interface{}) (*StaffAssignments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffAssignments) AddNew added in v0.1.0

func (t *StaffAssignments) AddNew() *StaffAssignments

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StaffAssignments) Append added in v0.1.0

func (t *StaffAssignments) Append(values ...*StaffAssignment) *StaffAssignments

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffAssignments) Clone added in v0.1.0

func (t *StaffAssignments) Clone() *StaffAssignments

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffAssignments) Index added in v0.1.0

func (t *StaffAssignments) Index(n int) *StaffAssignment

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StaffAssignments) Last added in v0.1.0

func (t *StaffAssignments) Last() *staffassignment

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StaffAssignments) Len added in v0.1.0

func (t *StaffAssignments) Len() int

Length of the list.

func (*StaffAssignments) ToSlice added in v0.1.0

func (t *StaffAssignments) ToSlice() []*StaffAssignment

Convert list object to slice

type StaffListType

type StaffListType struct {
	// contains filtered or unexported fields
}

func NewStaffListType added in v0.1.0

func NewStaffListType() *StaffListType

Generates a new object as a pointer to a struct

func StaffListTypePointer

func StaffListTypePointer(value interface{}) (*StaffListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffListType) AddNew

func (t *StaffListType) AddNew() *StaffListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StaffListType) Append

func (t *StaffListType) Append(values ...string) *StaffListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffListType) AppendString

func (t *StaffListType) AppendString(value string) *StaffListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StaffListType) Clone

func (t *StaffListType) Clone() *StaffListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffListType) Index

func (t *StaffListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StaffListType) Last

func (t *StaffListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StaffListType) Len

func (t *StaffListType) Len() int

Length of the list.

func (*StaffListType) ToSlice added in v0.1.0

func (t *StaffListType) ToSlice() []*string

Convert list object to slice

type StaffMostRecentContainerType

type StaffMostRecentContainerType struct {
	// contains filtered or unexported fields
}

func NewStaffMostRecentContainerType added in v0.1.0

func NewStaffMostRecentContainerType() *StaffMostRecentContainerType

Generates a new object as a pointer to a struct

func StaffMostRecentContainerTypePointer

func StaffMostRecentContainerTypePointer(value interface{}) (*StaffMostRecentContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffMostRecentContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffMostRecentContainerType) HomeGroup

func (s *StaffMostRecentContainerType) HomeGroup() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffMostRecentContainerType) HomeGroup_IsNil

func (s *StaffMostRecentContainerType) HomeGroup_IsNil() bool

Returns whether the element value for HomeGroup is nil in the container StaffMostRecentContainerType.

func (*StaffMostRecentContainerType) LocalCampusId

func (s *StaffMostRecentContainerType) LocalCampusId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffMostRecentContainerType) LocalCampusId_IsNil

func (s *StaffMostRecentContainerType) LocalCampusId_IsNil() bool

Returns whether the element value for LocalCampusId is nil in the container StaffMostRecentContainerType.

func (*StaffMostRecentContainerType) NAPLANClassList

func (s *StaffMostRecentContainerType) NAPLANClassList() *NAPLANClassListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffMostRecentContainerType) NAPLANClassList_IsNil

func (s *StaffMostRecentContainerType) NAPLANClassList_IsNil() bool

Returns whether the element value for NAPLANClassList is nil in the container StaffMostRecentContainerType.

func (*StaffMostRecentContainerType) SchoolACARAId

func (s *StaffMostRecentContainerType) SchoolACARAId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffMostRecentContainerType) SchoolACARAId_IsNil

func (s *StaffMostRecentContainerType) SchoolACARAId_IsNil() bool

Returns whether the element value for SchoolACARAId is nil in the container StaffMostRecentContainerType.

func (*StaffMostRecentContainerType) SchoolLocalId

func (s *StaffMostRecentContainerType) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffMostRecentContainerType) SchoolLocalId_IsNil

func (s *StaffMostRecentContainerType) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container StaffMostRecentContainerType.

func (*StaffMostRecentContainerType) SetProperties

Set a sequence of properties

func (*StaffMostRecentContainerType) SetProperty

func (n *StaffMostRecentContainerType) SetProperty(key string, value interface{}) *StaffMostRecentContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffMostRecentContainerType) Unset

Set the value of a property to nil

type StaffPersonal

type StaffPersonal struct {
	// contains filtered or unexported fields
}

func NewStaffPersonal added in v0.1.0

func NewStaffPersonal() *StaffPersonal

Generates a new object as a pointer to a struct

func StaffPersonalPointer

func StaffPersonalPointer(value interface{}) (*StaffPersonal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StaffPersonalSlice

func StaffPersonalSlice() []*StaffPersonal

Create a slice of pointers to the object type

func (*StaffPersonal) Clone

func (t *StaffPersonal) Clone() *StaffPersonal

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffPersonal) ElectronicIdList

func (s *StaffPersonal) ElectronicIdList() *ElectronicIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) ElectronicIdList_IsNil

func (s *StaffPersonal) ElectronicIdList_IsNil() bool

Returns whether the element value for ElectronicIdList is nil in the container StaffPersonal.

func (*StaffPersonal) EmploymentStatus

func (s *StaffPersonal) EmploymentStatus() *AUCodeSetsStaffStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) EmploymentStatus_IsNil

func (s *StaffPersonal) EmploymentStatus_IsNil() bool

Returns whether the element value for EmploymentStatus is nil in the container StaffPersonal.

func (*StaffPersonal) LocalCodeList

func (s *StaffPersonal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) LocalCodeList_IsNil

func (s *StaffPersonal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StaffPersonal.

func (*StaffPersonal) LocalId

func (s *StaffPersonal) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) LocalId_IsNil

func (s *StaffPersonal) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container StaffPersonal.

func (*StaffPersonal) MostRecent

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) MostRecent_IsNil

func (s *StaffPersonal) MostRecent_IsNil() bool

Returns whether the element value for MostRecent is nil in the container StaffPersonal.

func (*StaffPersonal) OtherIdList

func (s *StaffPersonal) OtherIdList() *OtherIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) OtherIdList_IsNil

func (s *StaffPersonal) OtherIdList_IsNil() bool

Returns whether the element value for OtherIdList is nil in the container StaffPersonal.

func (*StaffPersonal) PersonInfo

func (s *StaffPersonal) PersonInfo() *PersonInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) PersonInfo_IsNil

func (s *StaffPersonal) PersonInfo_IsNil() bool

Returns whether the element value for PersonInfo is nil in the container StaffPersonal.

func (*StaffPersonal) RefId

func (s *StaffPersonal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) RefId_IsNil

func (s *StaffPersonal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StaffPersonal.

func (*StaffPersonal) SIF_ExtendedElements

func (s *StaffPersonal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) SIF_ExtendedElements_IsNil

func (s *StaffPersonal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StaffPersonal.

func (*StaffPersonal) SIF_Metadata

func (s *StaffPersonal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) SIF_Metadata_IsNil

func (s *StaffPersonal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StaffPersonal.

func (*StaffPersonal) SetProperties

func (n *StaffPersonal) SetProperties(props ...Prop) *StaffPersonal

Set a sequence of properties

func (*StaffPersonal) SetProperty

func (n *StaffPersonal) SetProperty(key string, value interface{}) *StaffPersonal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffPersonal) StateProvinceId

func (s *StaffPersonal) StateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) StateProvinceId_IsNil

func (s *StaffPersonal) StateProvinceId_IsNil() bool

Returns whether the element value for StateProvinceId is nil in the container StaffPersonal.

func (*StaffPersonal) Title

func (s *StaffPersonal) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffPersonal) Title_IsNil

func (s *StaffPersonal) Title_IsNil() bool

Returns whether the element value for Title is nil in the container StaffPersonal.

func (*StaffPersonal) Unset

func (n *StaffPersonal) Unset(key string) *StaffPersonal

Set the value of a property to nil

type StaffPersonals

type StaffPersonals struct {
	// contains filtered or unexported fields
}

func NewStaffPersonals added in v0.1.0

func NewStaffPersonals() *StaffPersonals

Generates a new object as a pointer to a struct

func StaffPersonalsPointer added in v0.1.0

func StaffPersonalsPointer(value interface{}) (*StaffPersonals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffPersonals) AddNew added in v0.1.0

func (t *StaffPersonals) AddNew() *StaffPersonals

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StaffPersonals) Append added in v0.1.0

func (t *StaffPersonals) Append(values ...*StaffPersonal) *StaffPersonals

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffPersonals) Clone added in v0.1.0

func (t *StaffPersonals) Clone() *StaffPersonals

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffPersonals) Index added in v0.1.0

func (t *StaffPersonals) Index(n int) *StaffPersonal

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StaffPersonals) Last added in v0.1.0

func (t *StaffPersonals) Last() *staffpersonal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StaffPersonals) Len added in v0.1.0

func (t *StaffPersonals) Len() int

Length of the list.

func (*StaffPersonals) ToSlice added in v0.1.0

func (t *StaffPersonals) ToSlice() []*StaffPersonal

Convert list object to slice

type StaffRefIdType

type StaffRefIdType struct {
	// contains filtered or unexported fields
}

func NewStaffRefIdType added in v0.1.0

func NewStaffRefIdType() *StaffRefIdType

Generates a new object as a pointer to a struct

func StaffRefIdTypePointer

func StaffRefIdTypePointer(value interface{}) (*StaffRefIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffRefIdType) Clone

func (t *StaffRefIdType) Clone() *StaffRefIdType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffRefIdType) SIF_RefObject

func (s *StaffRefIdType) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffRefIdType) SIF_RefObject_IsNil

func (s *StaffRefIdType) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container StaffRefIdType.

func (*StaffRefIdType) SetProperties

func (n *StaffRefIdType) SetProperties(props ...Prop) *StaffRefIdType

Set a sequence of properties

func (*StaffRefIdType) SetProperty

func (n *StaffRefIdType) SetProperty(key string, value interface{}) *StaffRefIdType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffRefIdType) Unset

func (n *StaffRefIdType) Unset(key string) *StaffRefIdType

Set the value of a property to nil

func (*StaffRefIdType) Value

func (s *StaffRefIdType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffRefIdType) Value_IsNil

func (s *StaffRefIdType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container StaffRefIdType.

type StaffSubjectListType

type StaffSubjectListType struct {
	// contains filtered or unexported fields
}

func NewStaffSubjectListType added in v0.1.0

func NewStaffSubjectListType() *StaffSubjectListType

Generates a new object as a pointer to a struct

func StaffSubjectListTypePointer

func StaffSubjectListTypePointer(value interface{}) (*StaffSubjectListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffSubjectListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StaffSubjectListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffSubjectListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffSubjectListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StaffSubjectListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StaffSubjectListType) Len

func (t *StaffSubjectListType) Len() int

Length of the list.

func (*StaffSubjectListType) ToSlice added in v0.1.0

func (t *StaffSubjectListType) ToSlice() []*StaffSubjectType

Convert list object to slice

type StaffSubjectType

type StaffSubjectType struct {
	// contains filtered or unexported fields
}

func NewStaffSubjectType added in v0.1.0

func NewStaffSubjectType() *StaffSubjectType

Generates a new object as a pointer to a struct

func StaffSubjectTypePointer

func StaffSubjectTypePointer(value interface{}) (*StaffSubjectType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StaffSubjectType) Clone

func (t *StaffSubjectType) Clone() *StaffSubjectType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StaffSubjectType) PreferenceNumber

func (s *StaffSubjectType) PreferenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffSubjectType) PreferenceNumber_IsNil

func (s *StaffSubjectType) PreferenceNumber_IsNil() bool

Returns whether the element value for PreferenceNumber is nil in the container StaffSubjectType.

func (*StaffSubjectType) SetProperties

func (n *StaffSubjectType) SetProperties(props ...Prop) *StaffSubjectType

Set a sequence of properties

func (*StaffSubjectType) SetProperty

func (n *StaffSubjectType) SetProperty(key string, value interface{}) *StaffSubjectType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StaffSubjectType) SubjectLocalId

func (s *StaffSubjectType) SubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffSubjectType) SubjectLocalId_IsNil

func (s *StaffSubjectType) SubjectLocalId_IsNil() bool

Returns whether the element value for SubjectLocalId is nil in the container StaffSubjectType.

func (*StaffSubjectType) TimeTableSubjectRefId

func (s *StaffSubjectType) TimeTableSubjectRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StaffSubjectType) TimeTableSubjectRefId_IsNil

func (s *StaffSubjectType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container StaffSubjectType.

func (*StaffSubjectType) Unset

func (n *StaffSubjectType) Unset(key string) *StaffSubjectType

Set the value of a property to nil

type StandardHierarchyLevelType

type StandardHierarchyLevelType struct {
	// contains filtered or unexported fields
}

func NewStandardHierarchyLevelType added in v0.1.0

func NewStandardHierarchyLevelType() *StandardHierarchyLevelType

Generates a new object as a pointer to a struct

func StandardHierarchyLevelTypePointer

func StandardHierarchyLevelTypePointer(value interface{}) (*StandardHierarchyLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StandardHierarchyLevelType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StandardHierarchyLevelType) Description

func (s *StandardHierarchyLevelType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardHierarchyLevelType) Description_IsNil

func (s *StandardHierarchyLevelType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container StandardHierarchyLevelType.

func (*StandardHierarchyLevelType) Number

func (s *StandardHierarchyLevelType) Number() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardHierarchyLevelType) Number_IsNil

func (s *StandardHierarchyLevelType) Number_IsNil() bool

Returns whether the element value for Number is nil in the container StandardHierarchyLevelType.

func (*StandardHierarchyLevelType) SetProperties

func (n *StandardHierarchyLevelType) SetProperties(props ...Prop) *StandardHierarchyLevelType

Set a sequence of properties

func (*StandardHierarchyLevelType) SetProperty

func (n *StandardHierarchyLevelType) SetProperty(key string, value interface{}) *StandardHierarchyLevelType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StandardHierarchyLevelType) Unset

Set the value of a property to nil

type StandardIdentifierType

type StandardIdentifierType struct {
	// contains filtered or unexported fields
}

func NewStandardIdentifierType added in v0.1.0

func NewStandardIdentifierType() *StandardIdentifierType

Generates a new object as a pointer to a struct

func StandardIdentifierTypePointer

func StandardIdentifierTypePointer(value interface{}) (*StandardIdentifierType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StandardIdentifierType) ACStrandSubjectArea

func (s *StandardIdentifierType) ACStrandSubjectArea() *ACStrandSubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) ACStrandSubjectArea_IsNil

func (s *StandardIdentifierType) ACStrandSubjectArea_IsNil() bool

Returns whether the element value for ACStrandSubjectArea is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) AlternateIdentificationCodes

func (s *StandardIdentifierType) AlternateIdentificationCodes() *AlternateIdentificationCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) AlternateIdentificationCodes_IsNil

func (s *StandardIdentifierType) AlternateIdentificationCodes_IsNil() bool

Returns whether the element value for AlternateIdentificationCodes is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) Benchmark

func (s *StandardIdentifierType) Benchmark() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) Benchmark_IsNil

func (s *StandardIdentifierType) Benchmark_IsNil() bool

Returns whether the element value for Benchmark is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StandardIdentifierType) IndicatorNumber

func (s *StandardIdentifierType) IndicatorNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) IndicatorNumber_IsNil

func (s *StandardIdentifierType) IndicatorNumber_IsNil() bool

Returns whether the element value for IndicatorNumber is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) Organization

func (s *StandardIdentifierType) Organization() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) Organization_IsNil

func (s *StandardIdentifierType) Organization_IsNil() bool

Returns whether the element value for Organization is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) SetProperties

func (n *StandardIdentifierType) SetProperties(props ...Prop) *StandardIdentifierType

Set a sequence of properties

func (*StandardIdentifierType) SetProperty

func (n *StandardIdentifierType) SetProperty(key string, value interface{}) *StandardIdentifierType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StandardIdentifierType) StandardNumber

func (s *StandardIdentifierType) StandardNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) StandardNumber_IsNil

func (s *StandardIdentifierType) StandardNumber_IsNil() bool

Returns whether the element value for StandardNumber is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) Unset

Set the value of a property to nil

func (*StandardIdentifierType) YearCreated

func (s *StandardIdentifierType) YearCreated() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) YearCreated_IsNil

func (s *StandardIdentifierType) YearCreated_IsNil() bool

Returns whether the element value for YearCreated is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) YearLevel

func (s *StandardIdentifierType) YearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) YearLevel_IsNil

func (s *StandardIdentifierType) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StandardIdentifierType.

func (*StandardIdentifierType) YearLevels

func (s *StandardIdentifierType) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardIdentifierType) YearLevels_IsNil

func (s *StandardIdentifierType) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container StandardIdentifierType.

type StandardsSettingBodyType

type StandardsSettingBodyType struct {
	// contains filtered or unexported fields
}

func NewStandardsSettingBodyType added in v0.1.0

func NewStandardsSettingBodyType() *StandardsSettingBodyType

Generates a new object as a pointer to a struct

func StandardsSettingBodyTypePointer

func StandardsSettingBodyTypePointer(value interface{}) (*StandardsSettingBodyType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StandardsSettingBodyType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StandardsSettingBodyType) Country

func (s *StandardsSettingBodyType) Country() *CountryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardsSettingBodyType) Country_IsNil

func (s *StandardsSettingBodyType) Country_IsNil() bool

Returns whether the element value for Country is nil in the container StandardsSettingBodyType.

func (*StandardsSettingBodyType) SetProperties

func (n *StandardsSettingBodyType) SetProperties(props ...Prop) *StandardsSettingBodyType

Set a sequence of properties

func (*StandardsSettingBodyType) SetProperty

func (n *StandardsSettingBodyType) SetProperty(key string, value interface{}) *StandardsSettingBodyType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StandardsSettingBodyType) SettingBodyName

func (s *StandardsSettingBodyType) SettingBodyName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardsSettingBodyType) SettingBodyName_IsNil

func (s *StandardsSettingBodyType) SettingBodyName_IsNil() bool

Returns whether the element value for SettingBodyName is nil in the container StandardsSettingBodyType.

func (*StandardsSettingBodyType) StateProvince

func (s *StandardsSettingBodyType) StateProvince() *StateProvinceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StandardsSettingBodyType) StateProvince_IsNil

func (s *StandardsSettingBodyType) StateProvince_IsNil() bool

Returns whether the element value for StateProvince is nil in the container StandardsSettingBodyType.

func (*StandardsSettingBodyType) Unset

Set the value of a property to nil

type StateProvinceIdType

type StateProvinceIdType string

func StateProvinceIdTypePointer

func StateProvinceIdTypePointer(value interface{}) (*StateProvinceIdType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches StateProvinceIdType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*StateProvinceIdType) String

func (t *StateProvinceIdType) String() string

Return string value

type StateProvinceType

type StateProvinceType string

func StateProvinceTypePointer

func StateProvinceTypePointer(value interface{}) (*StateProvinceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches StateProvinceType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*StateProvinceType) String

func (t *StateProvinceType) String() string

Return string value

type StatementCodesType

type StatementCodesType struct {
	// contains filtered or unexported fields
}

func NewStatementCodesType added in v0.1.0

func NewStatementCodesType() *StatementCodesType

Generates a new object as a pointer to a struct

func StatementCodesTypePointer

func StatementCodesTypePointer(value interface{}) (*StatementCodesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatementCodesType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StatementCodesType) Append

func (t *StatementCodesType) Append(values ...string) *StatementCodesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatementCodesType) AppendString

func (t *StatementCodesType) AppendString(value string) *StatementCodesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StatementCodesType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatementCodesType) Index

func (t *StatementCodesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StatementCodesType) Last

func (t *StatementCodesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StatementCodesType) Len

func (t *StatementCodesType) Len() int

Length of the list.

func (*StatementCodesType) ToSlice added in v0.1.0

func (t *StatementCodesType) ToSlice() []*string

Convert list object to slice

type StatementsType

type StatementsType struct {
	// contains filtered or unexported fields
}

func NewStatementsType added in v0.1.0

func NewStatementsType() *StatementsType

Generates a new object as a pointer to a struct

func StatementsTypePointer

func StatementsTypePointer(value interface{}) (*StatementsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatementsType) AddNew

func (t *StatementsType) AddNew() *StatementsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StatementsType) Append

func (t *StatementsType) Append(values ...string) *StatementsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatementsType) AppendString

func (t *StatementsType) AppendString(value string) *StatementsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StatementsType) Clone

func (t *StatementsType) Clone() *StatementsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatementsType) Index

func (t *StatementsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StatementsType) Last

func (t *StatementsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StatementsType) Len

func (t *StatementsType) Len() int

Length of the list.

func (*StatementsType) ToSlice added in v0.1.0

func (t *StatementsType) ToSlice() []*string

Convert list object to slice

type StatisticalAreaType

type StatisticalAreaType struct {
	// contains filtered or unexported fields
}

func NewStatisticalAreaType added in v0.1.0

func NewStatisticalAreaType() *StatisticalAreaType

Generates a new object as a pointer to a struct

func StatisticalAreaTypePointer

func StatisticalAreaTypePointer(value interface{}) (*StatisticalAreaType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatisticalAreaType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatisticalAreaType) SetProperties

func (n *StatisticalAreaType) SetProperties(props ...Prop) *StatisticalAreaType

Set a sequence of properties

func (*StatisticalAreaType) SetProperty

func (n *StatisticalAreaType) SetProperty(key string, value interface{}) *StatisticalAreaType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatisticalAreaType) SpatialUnitType

func (s *StatisticalAreaType) SpatialUnitType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatisticalAreaType) SpatialUnitType_IsNil

func (s *StatisticalAreaType) SpatialUnitType_IsNil() bool

Returns whether the element value for SpatialUnitType is nil in the container StatisticalAreaType.

func (*StatisticalAreaType) Unset

Set the value of a property to nil

func (*StatisticalAreaType) Value

func (s *StatisticalAreaType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatisticalAreaType) Value_IsNil

func (s *StatisticalAreaType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container StatisticalAreaType.

type StatisticalAreasType

type StatisticalAreasType struct {
	// contains filtered or unexported fields
}

func NewStatisticalAreasType added in v0.1.0

func NewStatisticalAreasType() *StatisticalAreasType

Generates a new object as a pointer to a struct

func StatisticalAreasTypePointer

func StatisticalAreasTypePointer(value interface{}) (*StatisticalAreasType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatisticalAreasType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StatisticalAreasType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatisticalAreasType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatisticalAreasType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StatisticalAreasType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StatisticalAreasType) Len

func (t *StatisticalAreasType) Len() int

Length of the list.

func (*StatisticalAreasType) ToSlice added in v0.1.0

func (t *StatisticalAreasType) ToSlice() []*StatisticalAreaType

Convert list object to slice

type StatsCohortListType

type StatsCohortListType struct {
	// contains filtered or unexported fields
}

func NewStatsCohortListType added in v0.1.0

func NewStatsCohortListType() *StatsCohortListType

Generates a new object as a pointer to a struct

func StatsCohortListTypePointer

func StatsCohortListTypePointer(value interface{}) (*StatsCohortListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatsCohortListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StatsCohortListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatsCohortListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatsCohortListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StatsCohortListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StatsCohortListType) Len

func (t *StatsCohortListType) Len() int

Length of the list.

func (*StatsCohortListType) ToSlice added in v0.1.0

func (t *StatsCohortListType) ToSlice() []*StatsCohortType

Convert list object to slice

type StatsCohortType

type StatsCohortType struct {
	// contains filtered or unexported fields
}

func NewStatsCohortType added in v0.1.0

func NewStatsCohortType() *StatsCohortType

Generates a new object as a pointer to a struct

func StatsCohortTypePointer

func StatsCohortTypePointer(value interface{}) (*StatsCohortType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatsCohortType) AttendanceDays

func (s *StatsCohortType) AttendanceDays() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) AttendanceDays_IsNil

func (s *StatsCohortType) AttendanceDays_IsNil() bool

Returns whether the element value for AttendanceDays is nil in the container StatsCohortType.

func (*StatsCohortType) AttendanceGTE90Percent

func (s *StatsCohortType) AttendanceGTE90Percent() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) AttendanceGTE90Percent_IsNil

func (s *StatsCohortType) AttendanceGTE90Percent_IsNil() bool

Returns whether the element value for AttendanceGTE90Percent is nil in the container StatsCohortType.

func (*StatsCohortType) AttendanceLess90Percent

func (s *StatsCohortType) AttendanceLess90Percent() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) AttendanceLess90Percent_IsNil

func (s *StatsCohortType) AttendanceLess90Percent_IsNil() bool

Returns whether the element value for AttendanceLess90Percent is nil in the container StatsCohortType.

func (*StatsCohortType) Clone

func (t *StatsCohortType) Clone() *StatsCohortType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatsCohortType) CohortGender

func (s *StatsCohortType) CohortGender() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) CohortGender_IsNil

func (s *StatsCohortType) CohortGender_IsNil() bool

Returns whether the element value for CohortGender is nil in the container StatsCohortType.

func (*StatsCohortType) DaysInReferencePeriod

func (s *StatsCohortType) DaysInReferencePeriod() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) DaysInReferencePeriod_IsNil

func (s *StatsCohortType) DaysInReferencePeriod_IsNil() bool

Returns whether the element value for DaysInReferencePeriod is nil in the container StatsCohortType.

func (*StatsCohortType) PossibleSchoolDays

func (s *StatsCohortType) PossibleSchoolDays() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) PossibleSchoolDaysGT90PercentAttendance

func (s *StatsCohortType) PossibleSchoolDaysGT90PercentAttendance() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) PossibleSchoolDaysGT90PercentAttendance_IsNil

func (s *StatsCohortType) PossibleSchoolDaysGT90PercentAttendance_IsNil() bool

Returns whether the element value for PossibleSchoolDaysGT90PercentAttendance is nil in the container StatsCohortType.

func (*StatsCohortType) PossibleSchoolDays_IsNil

func (s *StatsCohortType) PossibleSchoolDays_IsNil() bool

Returns whether the element value for PossibleSchoolDays is nil in the container StatsCohortType.

func (*StatsCohortType) SetProperties

func (n *StatsCohortType) SetProperties(props ...Prop) *StatsCohortType

Set a sequence of properties

func (*StatsCohortType) SetProperty

func (n *StatsCohortType) SetProperty(key string, value interface{}) *StatsCohortType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatsCohortType) StatsCohortId

func (s *StatsCohortType) StatsCohortId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) StatsCohortId_IsNil

func (s *StatsCohortType) StatsCohortId_IsNil() bool

Returns whether the element value for StatsCohortId is nil in the container StatsCohortType.

func (*StatsCohortType) StatsIndigenousStudentType

func (s *StatsCohortType) StatsIndigenousStudentType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortType) StatsIndigenousStudentType_IsNil

func (s *StatsCohortType) StatsIndigenousStudentType_IsNil() bool

Returns whether the element value for StatsIndigenousStudentType is nil in the container StatsCohortType.

func (*StatsCohortType) Unset

func (n *StatsCohortType) Unset(key string) *StatsCohortType

Set the value of a property to nil

type StatsCohortYearLevelListType

type StatsCohortYearLevelListType struct {
	// contains filtered or unexported fields
}

func NewStatsCohortYearLevelListType added in v0.1.0

func NewStatsCohortYearLevelListType() *StatsCohortYearLevelListType

Generates a new object as a pointer to a struct

func StatsCohortYearLevelListTypePointer

func StatsCohortYearLevelListTypePointer(value interface{}) (*StatsCohortYearLevelListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatsCohortYearLevelListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StatsCohortYearLevelListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatsCohortYearLevelListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatsCohortYearLevelListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StatsCohortYearLevelListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StatsCohortYearLevelListType) Len

Length of the list.

func (*StatsCohortYearLevelListType) ToSlice added in v0.1.0

Convert list object to slice

type StatsCohortYearLevelType

type StatsCohortYearLevelType struct {
	// contains filtered or unexported fields
}

func NewStatsCohortYearLevelType added in v0.1.0

func NewStatsCohortYearLevelType() *StatsCohortYearLevelType

Generates a new object as a pointer to a struct

func StatsCohortYearLevelTypePointer

func StatsCohortYearLevelTypePointer(value interface{}) (*StatsCohortYearLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StatsCohortYearLevelType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StatsCohortYearLevelType) CohortYearLevel

func (s *StatsCohortYearLevelType) CohortYearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortYearLevelType) CohortYearLevel_IsNil

func (s *StatsCohortYearLevelType) CohortYearLevel_IsNil() bool

Returns whether the element value for CohortYearLevel is nil in the container StatsCohortYearLevelType.

func (*StatsCohortYearLevelType) SetProperties

func (n *StatsCohortYearLevelType) SetProperties(props ...Prop) *StatsCohortYearLevelType

Set a sequence of properties

func (*StatsCohortYearLevelType) SetProperty

func (n *StatsCohortYearLevelType) SetProperty(key string, value interface{}) *StatsCohortYearLevelType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StatsCohortYearLevelType) StatsCohortList

func (s *StatsCohortYearLevelType) StatsCohortList() *StatsCohortListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StatsCohortYearLevelType) StatsCohortList_IsNil

func (s *StatsCohortYearLevelType) StatsCohortList_IsNil() bool

Returns whether the element value for StatsCohortList is nil in the container StatsCohortYearLevelType.

func (*StatsCohortYearLevelType) Unset

Set the value of a property to nil

type StimulusListType

type StimulusListType struct {
	// contains filtered or unexported fields
}

func NewStimulusListType added in v0.1.0

func NewStimulusListType() *StimulusListType

Generates a new object as a pointer to a struct

func StimulusListTypePointer

func StimulusListTypePointer(value interface{}) (*StimulusListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StimulusListType) AddNew

func (t *StimulusListType) AddNew() *StimulusListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StimulusListType) Append

func (t *StimulusListType) Append(values ...StimulusType) *StimulusListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StimulusListType) Clone

func (t *StimulusListType) Clone() *StimulusListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StimulusListType) Index

func (t *StimulusListType) Index(n int) *StimulusType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StimulusListType) Last

func (t *StimulusListType) Last() *StimulusType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StimulusListType) Len

func (t *StimulusListType) Len() int

Length of the list.

func (*StimulusListType) ToSlice added in v0.1.0

func (t *StimulusListType) ToSlice() []*StimulusType

Convert list object to slice

type StimulusLocalIdListType

type StimulusLocalIdListType struct {
	// contains filtered or unexported fields
}

func NewStimulusLocalIdListType added in v0.1.0

func NewStimulusLocalIdListType() *StimulusLocalIdListType

Generates a new object as a pointer to a struct

func StimulusLocalIdListTypePointer

func StimulusLocalIdListTypePointer(value interface{}) (*StimulusLocalIdListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StimulusLocalIdListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StimulusLocalIdListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StimulusLocalIdListType) AppendString

func (t *StimulusLocalIdListType) AppendString(value string) *StimulusLocalIdListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StimulusLocalIdListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StimulusLocalIdListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StimulusLocalIdListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StimulusLocalIdListType) Len

func (t *StimulusLocalIdListType) Len() int

Length of the list.

func (*StimulusLocalIdListType) ToSlice added in v0.1.0

func (t *StimulusLocalIdListType) ToSlice() []*LocalIdType

Convert list object to slice

type StimulusType

type StimulusType struct {
	// contains filtered or unexported fields
}

func NewStimulusType added in v0.1.0

func NewStimulusType() *StimulusType

Generates a new object as a pointer to a struct

func StimulusTypePointer

func StimulusTypePointer(value interface{}) (*StimulusType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StimulusType) Clone

func (t *StimulusType) Clone() *StimulusType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StimulusType) Content

func (s *StimulusType) Content() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) Content_IsNil

func (s *StimulusType) Content_IsNil() bool

Returns whether the element value for Content is nil in the container StimulusType.

func (*StimulusType) SetProperties

func (n *StimulusType) SetProperties(props ...Prop) *StimulusType

Set a sequence of properties

func (*StimulusType) SetProperty

func (n *StimulusType) SetProperty(key string, value interface{}) *StimulusType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StimulusType) StimulusLocalId

func (s *StimulusType) StimulusLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) StimulusLocalId_IsNil

func (s *StimulusType) StimulusLocalId_IsNil() bool

Returns whether the element value for StimulusLocalId is nil in the container StimulusType.

func (*StimulusType) TextDescriptor

func (s *StimulusType) TextDescriptor() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) TextDescriptor_IsNil

func (s *StimulusType) TextDescriptor_IsNil() bool

Returns whether the element value for TextDescriptor is nil in the container StimulusType.

func (*StimulusType) TextGenre

func (s *StimulusType) TextGenre() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) TextGenre_IsNil

func (s *StimulusType) TextGenre_IsNil() bool

Returns whether the element value for TextGenre is nil in the container StimulusType.

func (*StimulusType) TextType

func (s *StimulusType) TextType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) TextType_IsNil

func (s *StimulusType) TextType_IsNil() bool

Returns whether the element value for TextType is nil in the container StimulusType.

func (*StimulusType) Unset

func (n *StimulusType) Unset(key string) *StimulusType

Set the value of a property to nil

func (*StimulusType) WordCount

func (s *StimulusType) WordCount() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StimulusType) WordCount_IsNil

func (s *StimulusType) WordCount_IsNil() bool

Returns whether the element value for WordCount is nil in the container StimulusType.

type StrategiesType

type StrategiesType struct {
	// contains filtered or unexported fields
}

func NewStrategiesType added in v0.1.0

func NewStrategiesType() *StrategiesType

Generates a new object as a pointer to a struct

func StrategiesTypePointer

func StrategiesTypePointer(value interface{}) (*StrategiesType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StrategiesType) AddNew

func (t *StrategiesType) AddNew() *StrategiesType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StrategiesType) Append

func (t *StrategiesType) Append(values ...string) *StrategiesType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StrategiesType) AppendString

func (t *StrategiesType) AppendString(value string) *StrategiesType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StrategiesType) Clone

func (t *StrategiesType) Clone() *StrategiesType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StrategiesType) Index

func (t *StrategiesType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StrategiesType) Last

func (t *StrategiesType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StrategiesType) Len

func (t *StrategiesType) Len() int

Length of the list.

func (*StrategiesType) ToSlice added in v0.1.0

func (t *StrategiesType) ToSlice() []*string

Convert list object to slice

type String

type String string

func StringPointer

func StringPointer(value interface{}) (*String, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches String. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*String) String

func (t *String) String() string

Return string value

type StudentActivityInfo

type StudentActivityInfo struct {
	// contains filtered or unexported fields
}

func NewStudentActivityInfo added in v0.1.0

func NewStudentActivityInfo() *StudentActivityInfo

Generates a new object as a pointer to a struct

func StudentActivityInfoPointer

func StudentActivityInfoPointer(value interface{}) (*StudentActivityInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentActivityInfoSlice

func StudentActivityInfoSlice() []*StudentActivityInfo

Create a slice of pointers to the object type

func (*StudentActivityInfo) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentActivityInfo) CurricularStatus

func (s *StudentActivityInfo) CurricularStatus() *AUCodeSetsActivityTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) CurricularStatus_IsNil

func (s *StudentActivityInfo) CurricularStatus_IsNil() bool

Returns whether the element value for CurricularStatus is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) Description

func (s *StudentActivityInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) Description_IsNil

func (s *StudentActivityInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) LocalCodeList

func (s *StudentActivityInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) LocalCodeList_IsNil

func (s *StudentActivityInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) Location

func (s *StudentActivityInfo) Location() *LocationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) Location_IsNil

func (s *StudentActivityInfo) Location_IsNil() bool

Returns whether the element value for Location is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) RefId

func (s *StudentActivityInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) RefId_IsNil

func (s *StudentActivityInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) SIF_ExtendedElements

func (s *StudentActivityInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) SIF_ExtendedElements_IsNil

func (s *StudentActivityInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) SIF_Metadata

func (s *StudentActivityInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) SIF_Metadata_IsNil

func (s *StudentActivityInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) SetProperties

func (n *StudentActivityInfo) SetProperties(props ...Prop) *StudentActivityInfo

Set a sequence of properties

func (*StudentActivityInfo) SetProperty

func (n *StudentActivityInfo) SetProperty(key string, value interface{}) *StudentActivityInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentActivityInfo) StudentActivityLevel

func (s *StudentActivityInfo) StudentActivityLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) StudentActivityLevel_IsNil

func (s *StudentActivityInfo) StudentActivityLevel_IsNil() bool

Returns whether the element value for StudentActivityLevel is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) StudentActivityType

func (s *StudentActivityInfo) StudentActivityType() *StudentActivityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) StudentActivityType_IsNil

func (s *StudentActivityInfo) StudentActivityType_IsNil() bool

Returns whether the element value for StudentActivityType is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) Title

func (s *StudentActivityInfo) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) Title_IsNil

func (s *StudentActivityInfo) Title_IsNil() bool

Returns whether the element value for Title is nil in the container StudentActivityInfo.

func (*StudentActivityInfo) Unset

Set the value of a property to nil

func (*StudentActivityInfo) YearLevels

func (s *StudentActivityInfo) YearLevels() *YearLevelsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityInfo) YearLevels_IsNil

func (s *StudentActivityInfo) YearLevels_IsNil() bool

Returns whether the element value for YearLevels is nil in the container StudentActivityInfo.

type StudentActivityInfos

type StudentActivityInfos struct {
	// contains filtered or unexported fields
}

func NewStudentActivityInfos added in v0.1.0

func NewStudentActivityInfos() *StudentActivityInfos

Generates a new object as a pointer to a struct

func StudentActivityInfosPointer added in v0.1.0

func StudentActivityInfosPointer(value interface{}) (*StudentActivityInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentActivityInfos) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentActivityInfos) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentActivityInfos) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentActivityInfos) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentActivityInfos) Last added in v0.1.0

func (t *StudentActivityInfos) Last() *studentactivityinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentActivityInfos) Len added in v0.1.0

func (t *StudentActivityInfos) Len() int

Length of the list.

func (*StudentActivityInfos) ToSlice added in v0.1.0

func (t *StudentActivityInfos) ToSlice() []*StudentActivityInfo

Convert list object to slice

type StudentActivityParticipation

type StudentActivityParticipation struct {
	// contains filtered or unexported fields
}

func NewStudentActivityParticipation added in v0.1.0

func NewStudentActivityParticipation() *StudentActivityParticipation

Generates a new object as a pointer to a struct

func StudentActivityParticipationPointer

func StudentActivityParticipationPointer(value interface{}) (*StudentActivityParticipation, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentActivityParticipationSlice

func StudentActivityParticipationSlice() []*StudentActivityParticipation

Create a slice of pointers to the object type

func (*StudentActivityParticipation) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentActivityParticipation) EndDate

func (s *StudentActivityParticipation) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) EndDate_IsNil

func (s *StudentActivityParticipation) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) LocalCodeList

func (s *StudentActivityParticipation) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) LocalCodeList_IsNil

func (s *StudentActivityParticipation) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) ParticipationComment

func (s *StudentActivityParticipation) ParticipationComment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) ParticipationComment_IsNil

func (s *StudentActivityParticipation) ParticipationComment_IsNil() bool

Returns whether the element value for ParticipationComment is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) RecognitionList

func (s *StudentActivityParticipation) RecognitionList() *RecognitionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) RecognitionList_IsNil

func (s *StudentActivityParticipation) RecognitionList_IsNil() bool

Returns whether the element value for RecognitionList is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) RefId_IsNil

func (s *StudentActivityParticipation) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) Role

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) Role_IsNil

func (s *StudentActivityParticipation) Role_IsNil() bool

Returns whether the element value for Role is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) SIF_ExtendedElements

func (s *StudentActivityParticipation) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) SIF_ExtendedElements_IsNil

func (s *StudentActivityParticipation) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) SIF_Metadata

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) SIF_Metadata_IsNil

func (s *StudentActivityParticipation) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) SchoolYear

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) SchoolYear_IsNil

func (s *StudentActivityParticipation) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) SetProperties

Set a sequence of properties

func (*StudentActivityParticipation) SetProperty

func (n *StudentActivityParticipation) SetProperty(key string, value interface{}) *StudentActivityParticipation

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentActivityParticipation) StartDate

func (s *StudentActivityParticipation) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) StartDate_IsNil

func (s *StudentActivityParticipation) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) StudentActivityInfoRefId

func (s *StudentActivityParticipation) StudentActivityInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) StudentActivityInfoRefId_IsNil

func (s *StudentActivityParticipation) StudentActivityInfoRefId_IsNil() bool

Returns whether the element value for StudentActivityInfoRefId is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) StudentPersonalRefId

func (s *StudentActivityParticipation) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityParticipation) StudentPersonalRefId_IsNil

func (s *StudentActivityParticipation) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentActivityParticipation.

func (*StudentActivityParticipation) Unset

Set the value of a property to nil

type StudentActivityParticipations

type StudentActivityParticipations struct {
	// contains filtered or unexported fields
}

func NewStudentActivityParticipations added in v0.1.0

func NewStudentActivityParticipations() *StudentActivityParticipations

Generates a new object as a pointer to a struct

func StudentActivityParticipationsPointer added in v0.1.0

func StudentActivityParticipationsPointer(value interface{}) (*StudentActivityParticipations, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentActivityParticipations) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentActivityParticipations) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentActivityParticipations) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentActivityParticipations) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentActivityParticipations) Last added in v0.1.0

func (t *StudentActivityParticipations) Last() *studentactivityparticipation

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentActivityParticipations) Len added in v0.1.0

Length of the list.

func (*StudentActivityParticipations) ToSlice added in v0.1.0

Convert list object to slice

type StudentActivityType

type StudentActivityType struct {
	// contains filtered or unexported fields
}

func NewStudentActivityType added in v0.1.0

func NewStudentActivityType() *StudentActivityType

Generates a new object as a pointer to a struct

func StudentActivityTypePointer

func StudentActivityTypePointer(value interface{}) (*StudentActivityType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentActivityType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentActivityType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityType) Code_IsNil

func (s *StudentActivityType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container StudentActivityType.

func (*StudentActivityType) OtherCodeList

func (s *StudentActivityType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentActivityType) OtherCodeList_IsNil

func (s *StudentActivityType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container StudentActivityType.

func (*StudentActivityType) SetProperties

func (n *StudentActivityType) SetProperties(props ...Prop) *StudentActivityType

Set a sequence of properties

func (*StudentActivityType) SetProperty

func (n *StudentActivityType) SetProperty(key string, value interface{}) *StudentActivityType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentActivityType) Unset

Set the value of a property to nil

type StudentAttendanceCollection

type StudentAttendanceCollection struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceCollection added in v0.1.0

func NewStudentAttendanceCollection() *StudentAttendanceCollection

Generates a new object as a pointer to a struct

func StudentAttendanceCollectionPointer

func StudentAttendanceCollectionPointer(value interface{}) (*StudentAttendanceCollection, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentAttendanceCollectionSlice

func StudentAttendanceCollectionSlice() []*StudentAttendanceCollection

Create a slice of pointers to the object type

func (*StudentAttendanceCollection) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceCollection) LocalCodeList

func (s *StudentAttendanceCollection) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) LocalCodeList_IsNil

func (s *StudentAttendanceCollection) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) RefId_IsNil

func (s *StudentAttendanceCollection) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) RoundCode

func (s *StudentAttendanceCollection) RoundCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) RoundCode_IsNil

func (s *StudentAttendanceCollection) RoundCode_IsNil() bool

Returns whether the element value for RoundCode is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) SIF_ExtendedElements

func (s *StudentAttendanceCollection) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) SIF_ExtendedElements_IsNil

func (s *StudentAttendanceCollection) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) SIF_Metadata

func (s *StudentAttendanceCollection) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) SIF_Metadata_IsNil

func (s *StudentAttendanceCollection) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) SetProperties

func (n *StudentAttendanceCollection) SetProperties(props ...Prop) *StudentAttendanceCollection

Set a sequence of properties

func (*StudentAttendanceCollection) SetProperty

func (n *StudentAttendanceCollection) SetProperty(key string, value interface{}) *StudentAttendanceCollection

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceCollection) SoftwareVendorInfo

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) SoftwareVendorInfo_IsNil

func (s *StudentAttendanceCollection) SoftwareVendorInfo_IsNil() bool

Returns whether the element value for SoftwareVendorInfo is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) StudentAttendanceCollectionReportingList

func (s *StudentAttendanceCollection) StudentAttendanceCollectionReportingList() *StudentAttendanceCollectionReportingListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) StudentAttendanceCollectionReportingList_IsNil

func (s *StudentAttendanceCollection) StudentAttendanceCollectionReportingList_IsNil() bool

Returns whether the element value for StudentAttendanceCollectionReportingList is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) StudentAttendanceCollectionYear

func (s *StudentAttendanceCollection) StudentAttendanceCollectionYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollection) StudentAttendanceCollectionYear_IsNil

func (s *StudentAttendanceCollection) StudentAttendanceCollectionYear_IsNil() bool

Returns whether the element value for StudentAttendanceCollectionYear is nil in the container StudentAttendanceCollection.

func (*StudentAttendanceCollection) Unset

Set the value of a property to nil

type StudentAttendanceCollectionReportingListType

type StudentAttendanceCollectionReportingListType struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceCollectionReportingListType added in v0.1.0

func NewStudentAttendanceCollectionReportingListType() *StudentAttendanceCollectionReportingListType

Generates a new object as a pointer to a struct

func StudentAttendanceCollectionReportingListTypePointer

func StudentAttendanceCollectionReportingListTypePointer(value interface{}) (*StudentAttendanceCollectionReportingListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentAttendanceCollectionReportingListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentAttendanceCollectionReportingListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceCollectionReportingListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceCollectionReportingListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentAttendanceCollectionReportingListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentAttendanceCollectionReportingListType) Len

Length of the list.

func (*StudentAttendanceCollectionReportingListType) ToSlice added in v0.1.0

Convert list object to slice

type StudentAttendanceCollectionReportingType

type StudentAttendanceCollectionReportingType struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceCollectionReportingType added in v0.1.0

func NewStudentAttendanceCollectionReportingType() *StudentAttendanceCollectionReportingType

Generates a new object as a pointer to a struct

func StudentAttendanceCollectionReportingTypePointer

func StudentAttendanceCollectionReportingTypePointer(value interface{}) (*StudentAttendanceCollectionReportingType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentAttendanceCollectionReportingType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceCollectionReportingType) CommonwealthId

func (s *StudentAttendanceCollectionReportingType) CommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollectionReportingType) CommonwealthId_IsNil

func (s *StudentAttendanceCollectionReportingType) CommonwealthId_IsNil() bool

Returns whether the element value for CommonwealthId is nil in the container StudentAttendanceCollectionReportingType.

func (*StudentAttendanceCollectionReportingType) EntityContact

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollectionReportingType) EntityContact_IsNil

func (s *StudentAttendanceCollectionReportingType) EntityContact_IsNil() bool

Returns whether the element value for EntityContact is nil in the container StudentAttendanceCollectionReportingType.

func (*StudentAttendanceCollectionReportingType) EntityName

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollectionReportingType) EntityName_IsNil

func (s *StudentAttendanceCollectionReportingType) EntityName_IsNil() bool

Returns whether the element value for EntityName is nil in the container StudentAttendanceCollectionReportingType.

func (*StudentAttendanceCollectionReportingType) SetProperties

Set a sequence of properties

func (*StudentAttendanceCollectionReportingType) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceCollectionReportingType) StatsCohortYearLevelList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceCollectionReportingType) StatsCohortYearLevelList_IsNil

func (s *StudentAttendanceCollectionReportingType) StatsCohortYearLevelList_IsNil() bool

Returns whether the element value for StatsCohortYearLevelList is nil in the container StudentAttendanceCollectionReportingType.

func (*StudentAttendanceCollectionReportingType) Unset

Set the value of a property to nil

type StudentAttendanceCollections

type StudentAttendanceCollections struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceCollections added in v0.1.0

func NewStudentAttendanceCollections() *StudentAttendanceCollections

Generates a new object as a pointer to a struct

func StudentAttendanceCollectionsPointer added in v0.1.0

func StudentAttendanceCollectionsPointer(value interface{}) (*StudentAttendanceCollections, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentAttendanceCollections) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentAttendanceCollections) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceCollections) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceCollections) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentAttendanceCollections) Last added in v0.1.0

func (t *StudentAttendanceCollections) Last() *studentattendancecollection

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentAttendanceCollections) Len added in v0.1.0

Length of the list.

func (*StudentAttendanceCollections) ToSlice added in v0.1.0

Convert list object to slice

type StudentAttendanceSummary

type StudentAttendanceSummary struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceSummary added in v0.1.0

func NewStudentAttendanceSummary() *StudentAttendanceSummary

Generates a new object as a pointer to a struct

func StudentAttendanceSummaryPointer

func StudentAttendanceSummaryPointer(value interface{}) (*StudentAttendanceSummary, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentAttendanceSummarySlice

func StudentAttendanceSummarySlice() []*StudentAttendanceSummary

Create a slice of pointers to the object type

func (*StudentAttendanceSummary) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceSummary) DaysAttended

func (s *StudentAttendanceSummary) DaysAttended() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) DaysAttended_IsNil

func (s *StudentAttendanceSummary) DaysAttended_IsNil() bool

Returns whether the element value for DaysAttended is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) DaysInMembership

func (s *StudentAttendanceSummary) DaysInMembership() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) DaysInMembership_IsNil

func (s *StudentAttendanceSummary) DaysInMembership_IsNil() bool

Returns whether the element value for DaysInMembership is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) DaysTardy

func (s *StudentAttendanceSummary) DaysTardy() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) DaysTardy_IsNil

func (s *StudentAttendanceSummary) DaysTardy_IsNil() bool

Returns whether the element value for DaysTardy is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) EndDate

func (s *StudentAttendanceSummary) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) EndDate_IsNil

func (s *StudentAttendanceSummary) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) EndDay

func (s *StudentAttendanceSummary) EndDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) EndDay_IsNil

func (s *StudentAttendanceSummary) EndDay_IsNil() bool

Returns whether the element value for EndDay is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) ExcusedAbsences

func (s *StudentAttendanceSummary) ExcusedAbsences() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) ExcusedAbsences_IsNil

func (s *StudentAttendanceSummary) ExcusedAbsences_IsNil() bool

Returns whether the element value for ExcusedAbsences is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) FTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) FTE_IsNil

func (s *StudentAttendanceSummary) FTE_IsNil() bool

Returns whether the element value for FTE is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) LocalCodeList

func (s *StudentAttendanceSummary) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) LocalCodeList_IsNil

func (s *StudentAttendanceSummary) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) SIF_ExtendedElements

func (s *StudentAttendanceSummary) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) SIF_ExtendedElements_IsNil

func (s *StudentAttendanceSummary) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) SIF_Metadata

func (s *StudentAttendanceSummary) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) SIF_Metadata_IsNil

func (s *StudentAttendanceSummary) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) SchoolInfoRefId

func (s *StudentAttendanceSummary) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) SchoolInfoRefId_IsNil

func (s *StudentAttendanceSummary) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) SchoolYear

func (s *StudentAttendanceSummary) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) SchoolYear_IsNil

func (s *StudentAttendanceSummary) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) SetProperties

func (n *StudentAttendanceSummary) SetProperties(props ...Prop) *StudentAttendanceSummary

Set a sequence of properties

func (*StudentAttendanceSummary) SetProperty

func (n *StudentAttendanceSummary) SetProperty(key string, value interface{}) *StudentAttendanceSummary

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceSummary) StartDate

func (s *StudentAttendanceSummary) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) StartDate_IsNil

func (s *StudentAttendanceSummary) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) StartDay

func (s *StudentAttendanceSummary) StartDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) StartDay_IsNil

func (s *StudentAttendanceSummary) StartDay_IsNil() bool

Returns whether the element value for StartDay is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) StudentAttendanceSummaryRefId

func (s *StudentAttendanceSummary) StudentAttendanceSummaryRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) StudentAttendanceSummaryRefId_IsNil

func (s *StudentAttendanceSummary) StudentAttendanceSummaryRefId_IsNil() bool

Returns whether the element value for StudentAttendanceSummaryRefId is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) StudentPersonalRefId

func (s *StudentAttendanceSummary) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) StudentPersonalRefId_IsNil

func (s *StudentAttendanceSummary) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) UnexcusedAbsences

func (s *StudentAttendanceSummary) UnexcusedAbsences() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceSummary) UnexcusedAbsences_IsNil

func (s *StudentAttendanceSummary) UnexcusedAbsences_IsNil() bool

Returns whether the element value for UnexcusedAbsences is nil in the container StudentAttendanceSummary.

func (*StudentAttendanceSummary) Unset

Set the value of a property to nil

type StudentAttendanceSummarys

type StudentAttendanceSummarys struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceSummarys added in v0.1.0

func NewStudentAttendanceSummarys() *StudentAttendanceSummarys

Generates a new object as a pointer to a struct

func StudentAttendanceSummarysPointer added in v0.1.0

func StudentAttendanceSummarysPointer(value interface{}) (*StudentAttendanceSummarys, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentAttendanceSummarys) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentAttendanceSummarys) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceSummarys) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceSummarys) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentAttendanceSummarys) Last added in v0.1.0

func (t *StudentAttendanceSummarys) Last() *studentattendancesummary

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentAttendanceSummarys) Len added in v0.1.0

func (t *StudentAttendanceSummarys) Len() int

Length of the list.

func (*StudentAttendanceSummarys) ToSlice added in v0.1.0

Convert list object to slice

type StudentAttendanceTimeList

type StudentAttendanceTimeList struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceTimeList added in v0.1.0

func NewStudentAttendanceTimeList() *StudentAttendanceTimeList

Generates a new object as a pointer to a struct

func StudentAttendanceTimeListPointer

func StudentAttendanceTimeListPointer(value interface{}) (*StudentAttendanceTimeList, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentAttendanceTimeListSlice

func StudentAttendanceTimeListSlice() []*StudentAttendanceTimeList

Create a slice of pointers to the object type

func (*StudentAttendanceTimeList) AttendanceTimes

func (s *StudentAttendanceTimeList) AttendanceTimes() *AttendanceTimesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) AttendanceTimes_IsNil

func (s *StudentAttendanceTimeList) AttendanceTimes_IsNil() bool

Returns whether the element value for AttendanceTimes is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceTimeList) Date

func (s *StudentAttendanceTimeList) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) Date_IsNil

func (s *StudentAttendanceTimeList) Date_IsNil() bool

Returns whether the element value for Date is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) LocalCodeList

func (s *StudentAttendanceTimeList) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) LocalCodeList_IsNil

func (s *StudentAttendanceTimeList) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) PeriodAttendances

func (s *StudentAttendanceTimeList) PeriodAttendances() *PeriodAttendancesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) PeriodAttendances_IsNil

func (s *StudentAttendanceTimeList) PeriodAttendances_IsNil() bool

Returns whether the element value for PeriodAttendances is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) RefId_IsNil

func (s *StudentAttendanceTimeList) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) SIF_ExtendedElements

func (s *StudentAttendanceTimeList) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) SIF_ExtendedElements_IsNil

func (s *StudentAttendanceTimeList) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) SIF_Metadata

func (s *StudentAttendanceTimeList) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) SIF_Metadata_IsNil

func (s *StudentAttendanceTimeList) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) SchoolInfoRefId

func (s *StudentAttendanceTimeList) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) SchoolInfoRefId_IsNil

func (s *StudentAttendanceTimeList) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) SchoolYear

func (s *StudentAttendanceTimeList) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) SchoolYear_IsNil

func (s *StudentAttendanceTimeList) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) SetProperties

func (n *StudentAttendanceTimeList) SetProperties(props ...Prop) *StudentAttendanceTimeList

Set a sequence of properties

func (*StudentAttendanceTimeList) SetProperty

func (n *StudentAttendanceTimeList) SetProperty(key string, value interface{}) *StudentAttendanceTimeList

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceTimeList) StudentPersonalRefId

func (s *StudentAttendanceTimeList) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentAttendanceTimeList) StudentPersonalRefId_IsNil

func (s *StudentAttendanceTimeList) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentAttendanceTimeList.

func (*StudentAttendanceTimeList) Unset

Set the value of a property to nil

type StudentAttendanceTimeLists

type StudentAttendanceTimeLists struct {
	// contains filtered or unexported fields
}

func NewStudentAttendanceTimeLists added in v0.1.0

func NewStudentAttendanceTimeLists() *StudentAttendanceTimeLists

Generates a new object as a pointer to a struct

func StudentAttendanceTimeListsPointer added in v0.1.0

func StudentAttendanceTimeListsPointer(value interface{}) (*StudentAttendanceTimeLists, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentAttendanceTimeLists) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentAttendanceTimeLists) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentAttendanceTimeLists) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentAttendanceTimeLists) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentAttendanceTimeLists) Last added in v0.1.0

func (t *StudentAttendanceTimeLists) Last() *studentattendancetimelist

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentAttendanceTimeLists) Len added in v0.1.0

Length of the list.

func (*StudentAttendanceTimeLists) ToSlice added in v0.1.0

Convert list object to slice

type StudentContactFeePercentageType

type StudentContactFeePercentageType struct {
	// contains filtered or unexported fields
}

func NewStudentContactFeePercentageType added in v0.1.0

func NewStudentContactFeePercentageType() *StudentContactFeePercentageType

Generates a new object as a pointer to a struct

func StudentContactFeePercentageTypePointer

func StudentContactFeePercentageTypePointer(value interface{}) (*StudentContactFeePercentageType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentContactFeePercentageType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentContactFeePercentageType) Curriculum

func (s *StudentContactFeePercentageType) Curriculum() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactFeePercentageType) Curriculum_IsNil

func (s *StudentContactFeePercentageType) Curriculum_IsNil() bool

Returns whether the element value for Curriculum is nil in the container StudentContactFeePercentageType.

func (*StudentContactFeePercentageType) Other

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactFeePercentageType) Other_IsNil

func (s *StudentContactFeePercentageType) Other_IsNil() bool

Returns whether the element value for Other is nil in the container StudentContactFeePercentageType.

func (*StudentContactFeePercentageType) SetProperties

Set a sequence of properties

func (*StudentContactFeePercentageType) SetProperty

func (n *StudentContactFeePercentageType) SetProperty(key string, value interface{}) *StudentContactFeePercentageType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentContactFeePercentageType) Unset

Set the value of a property to nil

type StudentContactPersonal

type StudentContactPersonal struct {
	// contains filtered or unexported fields
}

func NewStudentContactPersonal added in v0.1.0

func NewStudentContactPersonal() *StudentContactPersonal

Generates a new object as a pointer to a struct

func StudentContactPersonalPointer

func StudentContactPersonalPointer(value interface{}) (*StudentContactPersonal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentContactPersonalSlice

func StudentContactPersonalSlice() []*StudentContactPersonal

Create a slice of pointers to the object type

func (*StudentContactPersonal) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentContactPersonal) Employment

func (s *StudentContactPersonal) Employment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) EmploymentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) EmploymentType_IsNil

func (s *StudentContactPersonal) EmploymentType_IsNil() bool

Returns whether the element value for EmploymentType is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) Employment_IsNil

func (s *StudentContactPersonal) Employment_IsNil() bool

Returns whether the element value for Employment is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) LocalCodeList

func (s *StudentContactPersonal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) LocalCodeList_IsNil

func (s *StudentContactPersonal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) LocalId

func (s *StudentContactPersonal) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) LocalId_IsNil

func (s *StudentContactPersonal) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) NonSchoolEducation

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) NonSchoolEducation_IsNil

func (s *StudentContactPersonal) NonSchoolEducation_IsNil() bool

Returns whether the element value for NonSchoolEducation is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) OtherIdList

func (s *StudentContactPersonal) OtherIdList() *OtherIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) OtherIdList_IsNil

func (s *StudentContactPersonal) OtherIdList_IsNil() bool

Returns whether the element value for OtherIdList is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) PersonInfo

func (s *StudentContactPersonal) PersonInfo() *PersonInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) PersonInfo_IsNil

func (s *StudentContactPersonal) PersonInfo_IsNil() bool

Returns whether the element value for PersonInfo is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) RefId

func (s *StudentContactPersonal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) RefId_IsNil

func (s *StudentContactPersonal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) SIF_ExtendedElements

func (s *StudentContactPersonal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) SIF_ExtendedElements_IsNil

func (s *StudentContactPersonal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) SIF_Metadata

func (s *StudentContactPersonal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) SIF_Metadata_IsNil

func (s *StudentContactPersonal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) SchoolEducationalLevel

func (s *StudentContactPersonal) SchoolEducationalLevel() *EducationalLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) SchoolEducationalLevel_IsNil

func (s *StudentContactPersonal) SchoolEducationalLevel_IsNil() bool

Returns whether the element value for SchoolEducationalLevel is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) SetProperties

func (n *StudentContactPersonal) SetProperties(props ...Prop) *StudentContactPersonal

Set a sequence of properties

func (*StudentContactPersonal) SetProperty

func (n *StudentContactPersonal) SetProperty(key string, value interface{}) *StudentContactPersonal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentContactPersonal) Unset

Set the value of a property to nil

func (*StudentContactPersonal) WorkingWithChildrenCheck

func (s *StudentContactPersonal) WorkingWithChildrenCheck() *WorkingWithChildrenCheckType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) WorkingWithChildrenCheck_IsNil

func (s *StudentContactPersonal) WorkingWithChildrenCheck_IsNil() bool

Returns whether the element value for WorkingWithChildrenCheck is nil in the container StudentContactPersonal.

func (*StudentContactPersonal) Workplace

func (s *StudentContactPersonal) Workplace() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactPersonal) Workplace_IsNil

func (s *StudentContactPersonal) Workplace_IsNil() bool

Returns whether the element value for Workplace is nil in the container StudentContactPersonal.

type StudentContactPersonals

type StudentContactPersonals struct {
	// contains filtered or unexported fields
}

func NewStudentContactPersonals added in v0.1.0

func NewStudentContactPersonals() *StudentContactPersonals

Generates a new object as a pointer to a struct

func StudentContactPersonalsPointer added in v0.1.0

func StudentContactPersonalsPointer(value interface{}) (*StudentContactPersonals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentContactPersonals) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentContactPersonals) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentContactPersonals) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentContactPersonals) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentContactPersonals) Last added in v0.1.0

func (t *StudentContactPersonals) Last() *studentcontactpersonal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentContactPersonals) Len added in v0.1.0

func (t *StudentContactPersonals) Len() int

Length of the list.

func (*StudentContactPersonals) ToSlice added in v0.1.0

Convert list object to slice

type StudentContactRelationship

type StudentContactRelationship struct {
	// contains filtered or unexported fields
}

func NewStudentContactRelationship added in v0.1.0

func NewStudentContactRelationship() *StudentContactRelationship

Generates a new object as a pointer to a struct

func StudentContactRelationshipPointer

func StudentContactRelationshipPointer(value interface{}) (*StudentContactRelationship, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentContactRelationshipSlice

func StudentContactRelationshipSlice() []*StudentContactRelationship

Create a slice of pointers to the object type

func (*StudentContactRelationship) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentContactRelationship) ContactFlags

func (s *StudentContactRelationship) ContactFlags() *ContactFlagsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) ContactFlags_IsNil

func (s *StudentContactRelationship) ContactFlags_IsNil() bool

Returns whether the element value for ContactFlags is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) ContactMethod

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) ContactMethod_IsNil

func (s *StudentContactRelationship) ContactMethod_IsNil() bool

Returns whether the element value for ContactMethod is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) ContactSequence

func (s *StudentContactRelationship) ContactSequence() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) ContactSequenceSource

func (s *StudentContactRelationship) ContactSequenceSource() *AUCodeSetsSourceCodeTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) ContactSequenceSource_IsNil

func (s *StudentContactRelationship) ContactSequenceSource_IsNil() bool

Returns whether the element value for ContactSequenceSource is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) ContactSequence_IsNil

func (s *StudentContactRelationship) ContactSequence_IsNil() bool

Returns whether the element value for ContactSequence is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) FeePercentage

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) FeePercentage_IsNil

func (s *StudentContactRelationship) FeePercentage_IsNil() bool

Returns whether the element value for FeePercentage is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) HouseholdList

func (s *StudentContactRelationship) HouseholdList() *HouseholdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) HouseholdList_IsNil

func (s *StudentContactRelationship) HouseholdList_IsNil() bool

Returns whether the element value for HouseholdList is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) LocalCodeList

func (s *StudentContactRelationship) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) LocalCodeList_IsNil

func (s *StudentContactRelationship) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) MainlySpeaksEnglishAtHome

func (s *StudentContactRelationship) MainlySpeaksEnglishAtHome() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) MainlySpeaksEnglishAtHome_IsNil

func (s *StudentContactRelationship) MainlySpeaksEnglishAtHome_IsNil() bool

Returns whether the element value for MainlySpeaksEnglishAtHome is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) ParentRelationshipStatus

func (s *StudentContactRelationship) ParentRelationshipStatus() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) ParentRelationshipStatus_IsNil

func (s *StudentContactRelationship) ParentRelationshipStatus_IsNil() bool

Returns whether the element value for ParentRelationshipStatus is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) Relationship

func (s *StudentContactRelationship) Relationship() *RelationshipType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) Relationship_IsNil

func (s *StudentContactRelationship) Relationship_IsNil() bool

Returns whether the element value for Relationship is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) SIF_ExtendedElements

func (s *StudentContactRelationship) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) SIF_ExtendedElements_IsNil

func (s *StudentContactRelationship) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) SIF_Metadata

func (s *StudentContactRelationship) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) SIF_Metadata_IsNil

func (s *StudentContactRelationship) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) SchoolInfoRefId

func (s *StudentContactRelationship) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) SchoolInfoRefId_IsNil

func (s *StudentContactRelationship) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) SetProperties

func (n *StudentContactRelationship) SetProperties(props ...Prop) *StudentContactRelationship

Set a sequence of properties

func (*StudentContactRelationship) SetProperty

func (n *StudentContactRelationship) SetProperty(key string, value interface{}) *StudentContactRelationship

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentContactRelationship) StudentContactPersonalRefId

func (s *StudentContactRelationship) StudentContactPersonalRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) StudentContactPersonalRefId_IsNil

func (s *StudentContactRelationship) StudentContactPersonalRefId_IsNil() bool

Returns whether the element value for StudentContactPersonalRefId is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) StudentContactRelationshipRefId

func (s *StudentContactRelationship) StudentContactRelationshipRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) StudentContactRelationshipRefId_IsNil

func (s *StudentContactRelationship) StudentContactRelationshipRefId_IsNil() bool

Returns whether the element value for StudentContactRelationshipRefId is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) StudentPersonalRefId

func (s *StudentContactRelationship) StudentPersonalRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentContactRelationship) StudentPersonalRefId_IsNil

func (s *StudentContactRelationship) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentContactRelationship.

func (*StudentContactRelationship) Unset

Set the value of a property to nil

type StudentContactRelationships

type StudentContactRelationships struct {
	// contains filtered or unexported fields
}

func NewStudentContactRelationships added in v0.1.0

func NewStudentContactRelationships() *StudentContactRelationships

Generates a new object as a pointer to a struct

func StudentContactRelationshipsPointer added in v0.1.0

func StudentContactRelationshipsPointer(value interface{}) (*StudentContactRelationships, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentContactRelationships) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentContactRelationships) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentContactRelationships) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentContactRelationships) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentContactRelationships) Last added in v0.1.0

func (t *StudentContactRelationships) Last() *studentcontactrelationship

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentContactRelationships) Len added in v0.1.0

Length of the list.

func (*StudentContactRelationships) ToSlice added in v0.1.0

Convert list object to slice

type StudentDailyAttendance

type StudentDailyAttendance struct {
	// contains filtered or unexported fields
}

func NewStudentDailyAttendance added in v0.1.0

func NewStudentDailyAttendance() *StudentDailyAttendance

Generates a new object as a pointer to a struct

func StudentDailyAttendancePointer

func StudentDailyAttendancePointer(value interface{}) (*StudentDailyAttendance, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentDailyAttendanceSlice

func StudentDailyAttendanceSlice() []*StudentDailyAttendance

Create a slice of pointers to the object type

func (*StudentDailyAttendance) AbsenceValue

func (s *StudentDailyAttendance) AbsenceValue() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) AbsenceValue_IsNil

func (s *StudentDailyAttendance) AbsenceValue_IsNil() bool

Returns whether the element value for AbsenceValue is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) AttendanceCode

func (s *StudentDailyAttendance) AttendanceCode() *AttendanceCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) AttendanceCode_IsNil

func (s *StudentDailyAttendance) AttendanceCode_IsNil() bool

Returns whether the element value for AttendanceCode is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) AttendanceNote

func (s *StudentDailyAttendance) AttendanceNote() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) AttendanceNote_IsNil

func (s *StudentDailyAttendance) AttendanceNote_IsNil() bool

Returns whether the element value for AttendanceNote is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) AttendanceStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) AttendanceStatus_IsNil

func (s *StudentDailyAttendance) AttendanceStatus_IsNil() bool

Returns whether the element value for AttendanceStatus is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentDailyAttendance) Date

func (s *StudentDailyAttendance) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) Date_IsNil

func (s *StudentDailyAttendance) Date_IsNil() bool

Returns whether the element value for Date is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) DayValue

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) DayValue_IsNil

func (s *StudentDailyAttendance) DayValue_IsNil() bool

Returns whether the element value for DayValue is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) LocalCodeList

func (s *StudentDailyAttendance) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) LocalCodeList_IsNil

func (s *StudentDailyAttendance) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) RefId

func (s *StudentDailyAttendance) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) RefId_IsNil

func (s *StudentDailyAttendance) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) SIF_ExtendedElements

func (s *StudentDailyAttendance) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) SIF_ExtendedElements_IsNil

func (s *StudentDailyAttendance) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) SIF_Metadata

func (s *StudentDailyAttendance) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) SIF_Metadata_IsNil

func (s *StudentDailyAttendance) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) SchoolInfoRefId

func (s *StudentDailyAttendance) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) SchoolInfoRefId_IsNil

func (s *StudentDailyAttendance) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) SchoolYear

func (s *StudentDailyAttendance) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) SchoolYear_IsNil

func (s *StudentDailyAttendance) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) SetProperties

func (n *StudentDailyAttendance) SetProperties(props ...Prop) *StudentDailyAttendance

Set a sequence of properties

func (*StudentDailyAttendance) SetProperty

func (n *StudentDailyAttendance) SetProperty(key string, value interface{}) *StudentDailyAttendance

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentDailyAttendance) StudentPersonalRefId

func (s *StudentDailyAttendance) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) StudentPersonalRefId_IsNil

func (s *StudentDailyAttendance) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) TimeIn

func (s *StudentDailyAttendance) TimeIn() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) TimeIn_IsNil

func (s *StudentDailyAttendance) TimeIn_IsNil() bool

Returns whether the element value for TimeIn is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) TimeOut

func (s *StudentDailyAttendance) TimeOut() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDailyAttendance) TimeOut_IsNil

func (s *StudentDailyAttendance) TimeOut_IsNil() bool

Returns whether the element value for TimeOut is nil in the container StudentDailyAttendance.

func (*StudentDailyAttendance) Unset

Set the value of a property to nil

type StudentDailyAttendances

type StudentDailyAttendances struct {
	// contains filtered or unexported fields
}

func NewStudentDailyAttendances added in v0.1.0

func NewStudentDailyAttendances() *StudentDailyAttendances

Generates a new object as a pointer to a struct

func StudentDailyAttendancesPointer added in v0.1.0

func StudentDailyAttendancesPointer(value interface{}) (*StudentDailyAttendances, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentDailyAttendances) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentDailyAttendances) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentDailyAttendances) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentDailyAttendances) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentDailyAttendances) Last added in v0.1.0

func (t *StudentDailyAttendances) Last() *studentdailyattendance

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentDailyAttendances) Len added in v0.1.0

func (t *StudentDailyAttendances) Len() int

Length of the list.

func (*StudentDailyAttendances) ToSlice added in v0.1.0

Convert list object to slice

type StudentDataTransferNote

type StudentDataTransferNote struct {
	// contains filtered or unexported fields
}

func NewStudentDataTransferNote added in v0.1.0

func NewStudentDataTransferNote() *StudentDataTransferNote

Generates a new object as a pointer to a struct

func StudentDataTransferNotePointer

func StudentDataTransferNotePointer(value interface{}) (*StudentDataTransferNote, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentDataTransferNoteSlice

func StudentDataTransferNoteSlice() []*StudentDataTransferNote

Create a slice of pointers to the object type

func (*StudentDataTransferNote) ArrivalSchool

func (s *StudentDataTransferNote) ArrivalSchool() *ArrivalSchoolType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) ArrivalSchool_IsNil

func (s *StudentDataTransferNote) ArrivalSchool_IsNil() bool

Returns whether the element value for ArrivalSchool is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) Attendance

func (s *StudentDataTransferNote) Attendance() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) Attendance_IsNil

func (s *StudentDataTransferNote) Attendance_IsNil() bool

Returns whether the element value for Attendance is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) BirthDate

func (s *StudentDataTransferNote) BirthDate() *BirthDateType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) BirthDate_IsNil

func (s *StudentDataTransferNote) BirthDate_IsNil() bool

Returns whether the element value for BirthDate is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) ChildSubjectToOrders

func (s *StudentDataTransferNote) ChildSubjectToOrders() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) ChildSubjectToOrders_IsNil

func (s *StudentDataTransferNote) ChildSubjectToOrders_IsNil() bool

Returns whether the element value for ChildSubjectToOrders is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentDataTransferNote) CountriesOfCitizenship

func (s *StudentDataTransferNote) CountriesOfCitizenship() *CountryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) CountriesOfCitizenship_IsNil

func (s *StudentDataTransferNote) CountriesOfCitizenship_IsNil() bool

Returns whether the element value for CountriesOfCitizenship is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) CountryOfBirth

func (s *StudentDataTransferNote) CountryOfBirth() *CountryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) CountryOfBirth_IsNil

func (s *StudentDataTransferNote) CountryOfBirth_IsNil() bool

Returns whether the element value for CountryOfBirth is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) DepartureSchool

func (s *StudentDataTransferNote) DepartureSchool() *DepartureSchoolType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) DepartureSchool_IsNil

func (s *StudentDataTransferNote) DepartureSchool_IsNil() bool

Returns whether the element value for DepartureSchool is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) EducationalAssessmentList

func (s *StudentDataTransferNote) EducationalAssessmentList() *EducationalAssessmentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) EducationalAssessmentList_IsNil

func (s *StudentDataTransferNote) EducationalAssessmentList_IsNil() bool

Returns whether the element value for EducationalAssessmentList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) FollowupRequest

func (s *StudentDataTransferNote) FollowupRequest() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) FollowupRequest_IsNil

func (s *StudentDataTransferNote) FollowupRequest_IsNil() bool

Returns whether the element value for FollowupRequest is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) Gender

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) Gender_IsNil

func (s *StudentDataTransferNote) Gender_IsNil() bool

Returns whether the element value for Gender is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) IndigenousStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) IndigenousStatus_IsNil

func (s *StudentDataTransferNote) IndigenousStatus_IsNil() bool

Returns whether the element value for IndigenousStatus is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) LBOTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) LBOTE_IsNil

func (s *StudentDataTransferNote) LBOTE_IsNil() bool

Returns whether the element value for LBOTE is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) LocalCodeList

func (s *StudentDataTransferNote) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) LocalCodeList_IsNil

func (s *StudentDataTransferNote) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) NAPLANScoreList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) NAPLANScoreList_IsNil

func (s *StudentDataTransferNote) NAPLANScoreList_IsNil() bool

Returns whether the element value for NAPLANScoreList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) NCCDList

func (s *StudentDataTransferNote) NCCDList() *NCCDListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) NCCDList_IsNil

func (s *StudentDataTransferNote) NCCDList_IsNil() bool

Returns whether the element value for NCCDList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) Name

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) Name_IsNil

func (s *StudentDataTransferNote) Name_IsNil() bool

Returns whether the element value for Name is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) NationalUniqueStudentIdentifier

func (s *StudentDataTransferNote) NationalUniqueStudentIdentifier() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) NationalUniqueStudentIdentifier_IsNil

func (s *StudentDataTransferNote) NationalUniqueStudentIdentifier_IsNil() bool

Returns whether the element value for NationalUniqueStudentIdentifier is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) OtherNames

func (s *StudentDataTransferNote) OtherNames() *OtherNamesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) OtherNames_IsNil

func (s *StudentDataTransferNote) OtherNames_IsNil() bool

Returns whether the element value for OtherNames is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) PlaceOfBirth

func (s *StudentDataTransferNote) PlaceOfBirth() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) PlaceOfBirth_IsNil

func (s *StudentDataTransferNote) PlaceOfBirth_IsNil() bool

Returns whether the element value for PlaceOfBirth is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) PreviousSchoolList

func (s *StudentDataTransferNote) PreviousSchoolList() *PreviousSchoolListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) PreviousSchoolList_IsNil

func (s *StudentDataTransferNote) PreviousSchoolList_IsNil() bool

Returns whether the element value for PreviousSchoolList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) RefId

func (s *StudentDataTransferNote) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) RefId_IsNil

func (s *StudentDataTransferNote) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) SIF_ExtendedElements

func (s *StudentDataTransferNote) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) SIF_ExtendedElements_IsNil

func (s *StudentDataTransferNote) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) SIF_Metadata

func (s *StudentDataTransferNote) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) SIF_Metadata_IsNil

func (s *StudentDataTransferNote) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) SetProperties

func (n *StudentDataTransferNote) SetProperties(props ...Prop) *StudentDataTransferNote

Set a sequence of properties

func (*StudentDataTransferNote) SetProperty

func (n *StudentDataTransferNote) SetProperty(key string, value interface{}) *StudentDataTransferNote

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentDataTransferNote) StateOfBirth

func (s *StudentDataTransferNote) StateOfBirth() *StateProvinceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) StateOfBirth_IsNil

func (s *StudentDataTransferNote) StateOfBirth_IsNil() bool

Returns whether the element value for StateOfBirth is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) StudentGradeList

func (s *StudentDataTransferNote) StudentGradeList() *STDNGradeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) StudentGradeList_IsNil

func (s *StudentDataTransferNote) StudentGradeList_IsNil() bool

Returns whether the element value for StudentGradeList is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) Unset

Set the value of a property to nil

func (*StudentDataTransferNote) VisaStatus

func (s *StudentDataTransferNote) VisaStatus() *VisaSubClassType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) VisaStatus_IsNil

func (s *StudentDataTransferNote) VisaStatus_IsNil() bool

Returns whether the element value for VisaStatus is nil in the container StudentDataTransferNote.

func (*StudentDataTransferNote) YearLevel

func (s *StudentDataTransferNote) YearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentDataTransferNote) YearLevel_IsNil

func (s *StudentDataTransferNote) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StudentDataTransferNote.

type StudentDataTransferNotes

type StudentDataTransferNotes struct {
	// contains filtered or unexported fields
}

func NewStudentDataTransferNotes added in v0.1.0

func NewStudentDataTransferNotes() *StudentDataTransferNotes

Generates a new object as a pointer to a struct

func StudentDataTransferNotesPointer added in v0.1.0

func StudentDataTransferNotesPointer(value interface{}) (*StudentDataTransferNotes, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentDataTransferNotes) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentDataTransferNotes) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentDataTransferNotes) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentDataTransferNotes) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentDataTransferNotes) Last added in v0.1.0

func (t *StudentDataTransferNotes) Last() *studentdatatransfernote

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentDataTransferNotes) Len added in v0.1.0

func (t *StudentDataTransferNotes) Len() int

Length of the list.

func (*StudentDataTransferNotes) ToSlice added in v0.1.0

Convert list object to slice

type StudentEntryContainerType

type StudentEntryContainerType struct {
	// contains filtered or unexported fields
}

func NewStudentEntryContainerType added in v0.1.0

func NewStudentEntryContainerType() *StudentEntryContainerType

Generates a new object as a pointer to a struct

func StudentEntryContainerTypePointer

func StudentEntryContainerTypePointer(value interface{}) (*StudentEntryContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentEntryContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentEntryContainerType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentEntryContainerType) Code_IsNil

func (s *StudentEntryContainerType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container StudentEntryContainerType.

func (*StudentEntryContainerType) OtherCodeList

func (s *StudentEntryContainerType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentEntryContainerType) OtherCodeList_IsNil

func (s *StudentEntryContainerType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container StudentEntryContainerType.

func (*StudentEntryContainerType) SetProperties

func (n *StudentEntryContainerType) SetProperties(props ...Prop) *StudentEntryContainerType

Set a sequence of properties

func (*StudentEntryContainerType) SetProperty

func (n *StudentEntryContainerType) SetProperty(key string, value interface{}) *StudentEntryContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentEntryContainerType) Unset

Set the value of a property to nil

type StudentExitContainerType

type StudentExitContainerType struct {
	// contains filtered or unexported fields
}

func NewStudentExitContainerType added in v0.1.0

func NewStudentExitContainerType() *StudentExitContainerType

Generates a new object as a pointer to a struct

func StudentExitContainerTypePointer

func StudentExitContainerTypePointer(value interface{}) (*StudentExitContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentExitContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentExitContainerType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentExitContainerType) Code_IsNil

func (s *StudentExitContainerType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container StudentExitContainerType.

func (*StudentExitContainerType) OtherCodeList

func (s *StudentExitContainerType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentExitContainerType) OtherCodeList_IsNil

func (s *StudentExitContainerType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container StudentExitContainerType.

func (*StudentExitContainerType) SetProperties

func (n *StudentExitContainerType) SetProperties(props ...Prop) *StudentExitContainerType

Set a sequence of properties

func (*StudentExitContainerType) SetProperty

func (n *StudentExitContainerType) SetProperty(key string, value interface{}) *StudentExitContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentExitContainerType) Unset

Set the value of a property to nil

type StudentExitStatusContainerType

type StudentExitStatusContainerType struct {
	// contains filtered or unexported fields
}

func NewStudentExitStatusContainerType added in v0.1.0

func NewStudentExitStatusContainerType() *StudentExitStatusContainerType

Generates a new object as a pointer to a struct

func StudentExitStatusContainerTypePointer

func StudentExitStatusContainerTypePointer(value interface{}) (*StudentExitStatusContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentExitStatusContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentExitStatusContainerType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentExitStatusContainerType) Code_IsNil

func (s *StudentExitStatusContainerType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container StudentExitStatusContainerType.

func (*StudentExitStatusContainerType) OtherCodeList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentExitStatusContainerType) OtherCodeList_IsNil

func (s *StudentExitStatusContainerType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container StudentExitStatusContainerType.

func (*StudentExitStatusContainerType) SetProperties

Set a sequence of properties

func (*StudentExitStatusContainerType) SetProperty

func (n *StudentExitStatusContainerType) SetProperty(key string, value interface{}) *StudentExitStatusContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentExitStatusContainerType) Unset

Set the value of a property to nil

type StudentGrade

type StudentGrade struct {
	// contains filtered or unexported fields
}

func NewStudentGrade added in v0.1.0

func NewStudentGrade() *StudentGrade

Generates a new object as a pointer to a struct

func StudentGradePointer

func StudentGradePointer(value interface{}) (*StudentGrade, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentGradeSlice

func StudentGradeSlice() []*StudentGrade

Create a slice of pointers to the object type

func (*StudentGrade) Clone

func (t *StudentGrade) Clone() *StudentGrade

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentGrade) Description

func (s *StudentGrade) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) Description_IsNil

func (s *StudentGrade) Description_IsNil() bool

Returns whether the element value for Description is nil in the container StudentGrade.

func (*StudentGrade) Grade

func (s *StudentGrade) Grade() *GradeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) Grade_IsNil

func (s *StudentGrade) Grade_IsNil() bool

Returns whether the element value for Grade is nil in the container StudentGrade.

func (*StudentGrade) GradingScoreList

func (s *StudentGrade) GradingScoreList() *GradingScoreListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) GradingScoreList_IsNil

func (s *StudentGrade) GradingScoreList_IsNil() bool

Returns whether the element value for GradingScoreList is nil in the container StudentGrade.

func (*StudentGrade) Homegroup

func (s *StudentGrade) Homegroup() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) Homegroup_IsNil

func (s *StudentGrade) Homegroup_IsNil() bool

Returns whether the element value for Homegroup is nil in the container StudentGrade.

func (*StudentGrade) LearningArea

func (s *StudentGrade) LearningArea() *ACStrandSubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) LearningArea_IsNil

func (s *StudentGrade) LearningArea_IsNil() bool

Returns whether the element value for LearningArea is nil in the container StudentGrade.

func (*StudentGrade) LearningStandardList

func (s *StudentGrade) LearningStandardList() *LearningStandardListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) LearningStandardList_IsNil

func (s *StudentGrade) LearningStandardList_IsNil() bool

Returns whether the element value for LearningStandardList is nil in the container StudentGrade.

func (*StudentGrade) LocalCodeList

func (s *StudentGrade) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) LocalCodeList_IsNil

func (s *StudentGrade) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentGrade.

func (*StudentGrade) Markers

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) Markers_IsNil

func (s *StudentGrade) Markers_IsNil() bool

Returns whether the element value for Markers is nil in the container StudentGrade.

func (*StudentGrade) RefId

func (s *StudentGrade) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) RefId_IsNil

func (s *StudentGrade) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentGrade.

func (*StudentGrade) SIF_ExtendedElements

func (s *StudentGrade) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) SIF_ExtendedElements_IsNil

func (s *StudentGrade) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentGrade.

func (*StudentGrade) SIF_Metadata

func (s *StudentGrade) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) SIF_Metadata_IsNil

func (s *StudentGrade) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentGrade.

func (*StudentGrade) SchoolInfoRefId

func (s *StudentGrade) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) SchoolInfoRefId_IsNil

func (s *StudentGrade) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentGrade.

func (*StudentGrade) SchoolYear

func (s *StudentGrade) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) SchoolYear_IsNil

func (s *StudentGrade) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentGrade.

func (*StudentGrade) SetProperties

func (n *StudentGrade) SetProperties(props ...Prop) *StudentGrade

Set a sequence of properties

func (*StudentGrade) SetProperty

func (n *StudentGrade) SetProperty(key string, value interface{}) *StudentGrade

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentGrade) StaffPersonalRefId

func (s *StudentGrade) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) StaffPersonalRefId_IsNil

func (s *StudentGrade) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container StudentGrade.

func (*StudentGrade) StudentPersonalRefId

func (s *StudentGrade) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) StudentPersonalRefId_IsNil

func (s *StudentGrade) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentGrade.

func (*StudentGrade) TeacherJudgement

func (s *StudentGrade) TeacherJudgement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) TeacherJudgement_IsNil

func (s *StudentGrade) TeacherJudgement_IsNil() bool

Returns whether the element value for TeacherJudgement is nil in the container StudentGrade.

func (*StudentGrade) TeachingGroupRefId

func (s *StudentGrade) TeachingGroupRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) TeachingGroupRefId_IsNil

func (s *StudentGrade) TeachingGroupRefId_IsNil() bool

Returns whether the element value for TeachingGroupRefId is nil in the container StudentGrade.

func (*StudentGrade) TeachingGroupShortName

func (s *StudentGrade) TeachingGroupShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) TeachingGroupShortName_IsNil

func (s *StudentGrade) TeachingGroupShortName_IsNil() bool

Returns whether the element value for TeachingGroupShortName is nil in the container StudentGrade.

func (*StudentGrade) TermInfoRefId

func (s *StudentGrade) TermInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) TermInfoRefId_IsNil

func (s *StudentGrade) TermInfoRefId_IsNil() bool

Returns whether the element value for TermInfoRefId is nil in the container StudentGrade.

func (*StudentGrade) TermSpan

func (s *StudentGrade) TermSpan() *AUCodeSetsSessionTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) TermSpan_IsNil

func (s *StudentGrade) TermSpan_IsNil() bool

Returns whether the element value for TermSpan is nil in the container StudentGrade.

func (*StudentGrade) Unset

func (n *StudentGrade) Unset(key string) *StudentGrade

Set the value of a property to nil

func (*StudentGrade) YearLevel

func (s *StudentGrade) YearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGrade) YearLevel_IsNil

func (s *StudentGrade) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StudentGrade.

type StudentGradeMarkersListType

type StudentGradeMarkersListType struct {
	// contains filtered or unexported fields
}

func NewStudentGradeMarkersListType added in v0.1.0

func NewStudentGradeMarkersListType() *StudentGradeMarkersListType

Generates a new object as a pointer to a struct

func StudentGradeMarkersListTypePointer

func StudentGradeMarkersListTypePointer(value interface{}) (*StudentGradeMarkersListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentGradeMarkersListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentGradeMarkersListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentGradeMarkersListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentGradeMarkersListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentGradeMarkersListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentGradeMarkersListType) Len

Length of the list.

func (*StudentGradeMarkersListType) ToSlice added in v0.1.0

func (t *StudentGradeMarkersListType) ToSlice() []*MarkerType

Convert list object to slice

type StudentGrades

type StudentGrades struct {
	// contains filtered or unexported fields
}

func NewStudentGrades added in v0.1.0

func NewStudentGrades() *StudentGrades

Generates a new object as a pointer to a struct

func StudentGradesPointer added in v0.1.0

func StudentGradesPointer(value interface{}) (*StudentGrades, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentGrades) AddNew added in v0.1.0

func (t *StudentGrades) AddNew() *StudentGrades

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentGrades) Append added in v0.1.0

func (t *StudentGrades) Append(values ...*StudentGrade) *StudentGrades

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentGrades) Clone added in v0.1.0

func (t *StudentGrades) Clone() *StudentGrades

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentGrades) Index added in v0.1.0

func (t *StudentGrades) Index(n int) *StudentGrade

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentGrades) Last added in v0.1.0

func (t *StudentGrades) Last() *studentgrade

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentGrades) Len added in v0.1.0

func (t *StudentGrades) Len() int

Length of the list.

func (*StudentGrades) ToSlice added in v0.1.0

func (t *StudentGrades) ToSlice() []*StudentGrade

Convert list object to slice

type StudentGroupListType

type StudentGroupListType struct {
	// contains filtered or unexported fields
}

func NewStudentGroupListType added in v0.1.0

func NewStudentGroupListType() *StudentGroupListType

Generates a new object as a pointer to a struct

func StudentGroupListTypePointer

func StudentGroupListTypePointer(value interface{}) (*StudentGroupListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentGroupListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentGroupListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentGroupListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentGroupListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentGroupListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentGroupListType) Len

func (t *StudentGroupListType) Len() int

Length of the list.

func (*StudentGroupListType) ToSlice added in v0.1.0

func (t *StudentGroupListType) ToSlice() []*StudentGroupType

Convert list object to slice

type StudentGroupType

type StudentGroupType struct {
	// contains filtered or unexported fields
}

func NewStudentGroupType added in v0.1.0

func NewStudentGroupType() *StudentGroupType

Generates a new object as a pointer to a struct

func StudentGroupTypePointer

func StudentGroupTypePointer(value interface{}) (*StudentGroupType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentGroupType) Clone

func (t *StudentGroupType) Clone() *StudentGroupType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentGroupType) GroupCategory

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGroupType) GroupCategory_IsNil

func (s *StudentGroupType) GroupCategory_IsNil() bool

Returns whether the element value for GroupCategory is nil in the container StudentGroupType.

func (*StudentGroupType) GroupDescription

func (s *StudentGroupType) GroupDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGroupType) GroupDescription_IsNil

func (s *StudentGroupType) GroupDescription_IsNil() bool

Returns whether the element value for GroupDescription is nil in the container StudentGroupType.

func (*StudentGroupType) GroupLocalId

func (s *StudentGroupType) GroupLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentGroupType) GroupLocalId_IsNil

func (s *StudentGroupType) GroupLocalId_IsNil() bool

Returns whether the element value for GroupLocalId is nil in the container StudentGroupType.

func (*StudentGroupType) SetProperties

func (n *StudentGroupType) SetProperties(props ...Prop) *StudentGroupType

Set a sequence of properties

func (*StudentGroupType) SetProperty

func (n *StudentGroupType) SetProperty(key string, value interface{}) *StudentGroupType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentGroupType) Unset

func (n *StudentGroupType) Unset(key string) *StudentGroupType

Set the value of a property to nil

type StudentListType

type StudentListType struct {
	// contains filtered or unexported fields
}

func NewStudentListType added in v0.1.0

func NewStudentListType() *StudentListType

Generates a new object as a pointer to a struct

func StudentListTypePointer

func StudentListTypePointer(value interface{}) (*StudentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentListType) AddNew

func (t *StudentListType) AddNew() *StudentListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentListType) Clone

func (t *StudentListType) Clone() *StudentListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentListType) Len

func (t *StudentListType) Len() int

Length of the list.

func (*StudentListType) ToSlice added in v0.1.0

func (t *StudentListType) ToSlice() []*TeachingGroupStudentType

Convert list object to slice

type StudentMostRecentContainerType

type StudentMostRecentContainerType struct {
	// contains filtered or unexported fields
}

func NewStudentMostRecentContainerType added in v0.1.0

func NewStudentMostRecentContainerType() *StudentMostRecentContainerType

Generates a new object as a pointer to a struct

func StudentMostRecentContainerTypePointer

func StudentMostRecentContainerTypePointer(value interface{}) (*StudentMostRecentContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentMostRecentContainerType) BoardingStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) BoardingStatus_IsNil

func (s *StudentMostRecentContainerType) BoardingStatus_IsNil() bool

Returns whether the element value for BoardingStatus is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) CensusAge

func (s *StudentMostRecentContainerType) CensusAge() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) CensusAge_IsNil

func (s *StudentMostRecentContainerType) CensusAge_IsNil() bool

Returns whether the element value for CensusAge is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) ClassCode

func (s *StudentMostRecentContainerType) ClassCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) ClassCode_IsNil

func (s *StudentMostRecentContainerType) ClassCode_IsNil() bool

Returns whether the element value for ClassCode is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentMostRecentContainerType) DisabilityCategory

func (s *StudentMostRecentContainerType) DisabilityCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) DisabilityCategory_IsNil

func (s *StudentMostRecentContainerType) DisabilityCategory_IsNil() bool

Returns whether the element value for DisabilityCategory is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) DisabilityLevelOfAdjustment

func (s *StudentMostRecentContainerType) DisabilityLevelOfAdjustment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) DisabilityLevelOfAdjustment_IsNil

func (s *StudentMostRecentContainerType) DisabilityLevelOfAdjustment_IsNil() bool

Returns whether the element value for DisabilityLevelOfAdjustment is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) DistanceEducationStudent

func (s *StudentMostRecentContainerType) DistanceEducationStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) DistanceEducationStudent_IsNil

func (s *StudentMostRecentContainerType) DistanceEducationStudent_IsNil() bool

Returns whether the element value for DistanceEducationStudent is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) FFPOS

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) FFPOS_IsNil

func (s *StudentMostRecentContainerType) FFPOS_IsNil() bool

Returns whether the element value for FFPOS is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) FTE

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) FTE_IsNil

func (s *StudentMostRecentContainerType) FTE_IsNil() bool

Returns whether the element value for FTE is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Homegroup

func (s *StudentMostRecentContainerType) Homegroup() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Homegroup_IsNil

func (s *StudentMostRecentContainerType) Homegroup_IsNil() bool

Returns whether the element value for Homegroup is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) HomeroomLocalId

func (s *StudentMostRecentContainerType) HomeroomLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) HomeroomLocalId_IsNil

func (s *StudentMostRecentContainerType) HomeroomLocalId_IsNil() bool

Returns whether the element value for HomeroomLocalId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) LocalCampusId

func (s *StudentMostRecentContainerType) LocalCampusId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) LocalCampusId_IsNil

func (s *StudentMostRecentContainerType) LocalCampusId_IsNil() bool

Returns whether the element value for LocalCampusId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) MembershipType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) MembershipType_IsNil

func (s *StudentMostRecentContainerType) MembershipType_IsNil() bool

Returns whether the element value for MembershipType is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) OtherEnrollmentSchoolACARAId

func (s *StudentMostRecentContainerType) OtherEnrollmentSchoolACARAId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) OtherEnrollmentSchoolACARAId_IsNil

func (s *StudentMostRecentContainerType) OtherEnrollmentSchoolACARAId_IsNil() bool

Returns whether the element value for OtherEnrollmentSchoolACARAId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) OtherSchoolName

func (s *StudentMostRecentContainerType) OtherSchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) OtherSchoolName_IsNil

func (s *StudentMostRecentContainerType) OtherSchoolName_IsNil() bool

Returns whether the element value for OtherSchoolName is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent1EmploymentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent1EmploymentType_IsNil

func (s *StudentMostRecentContainerType) Parent1EmploymentType_IsNil() bool

Returns whether the element value for Parent1EmploymentType is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent1Language

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent1Language_IsNil

func (s *StudentMostRecentContainerType) Parent1Language_IsNil() bool

Returns whether the element value for Parent1Language is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent1NonSchoolEducation

func (s *StudentMostRecentContainerType) Parent1NonSchoolEducation() *AUCodeSetsNonSchoolEducationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent1NonSchoolEducation_IsNil

func (s *StudentMostRecentContainerType) Parent1NonSchoolEducation_IsNil() bool

Returns whether the element value for Parent1NonSchoolEducation is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent1SchoolEducationLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent1SchoolEducationLevel_IsNil

func (s *StudentMostRecentContainerType) Parent1SchoolEducationLevel_IsNil() bool

Returns whether the element value for Parent1SchoolEducationLevel is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent2EmploymentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent2EmploymentType_IsNil

func (s *StudentMostRecentContainerType) Parent2EmploymentType_IsNil() bool

Returns whether the element value for Parent2EmploymentType is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent2Language

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent2Language_IsNil

func (s *StudentMostRecentContainerType) Parent2Language_IsNil() bool

Returns whether the element value for Parent2Language is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent2NonSchoolEducation

func (s *StudentMostRecentContainerType) Parent2NonSchoolEducation() *AUCodeSetsNonSchoolEducationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent2NonSchoolEducation_IsNil

func (s *StudentMostRecentContainerType) Parent2NonSchoolEducation_IsNil() bool

Returns whether the element value for Parent2NonSchoolEducation is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Parent2SchoolEducationLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) Parent2SchoolEducationLevel_IsNil

func (s *StudentMostRecentContainerType) Parent2SchoolEducationLevel_IsNil() bool

Returns whether the element value for Parent2SchoolEducationLevel is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) ReportingSchoolId

func (s *StudentMostRecentContainerType) ReportingSchoolId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) ReportingSchoolId_IsNil

func (s *StudentMostRecentContainerType) ReportingSchoolId_IsNil() bool

Returns whether the element value for ReportingSchoolId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) SchoolACARAId

func (s *StudentMostRecentContainerType) SchoolACARAId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) SchoolACARAId_IsNil

func (s *StudentMostRecentContainerType) SchoolACARAId_IsNil() bool

Returns whether the element value for SchoolACARAId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) SchoolLocalId

func (s *StudentMostRecentContainerType) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) SchoolLocalId_IsNil

func (s *StudentMostRecentContainerType) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) SetProperties

Set a sequence of properties

func (*StudentMostRecentContainerType) SetProperty

func (n *StudentMostRecentContainerType) SetProperty(key string, value interface{}) *StudentMostRecentContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentMostRecentContainerType) TestLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) TestLevel_IsNil

func (s *StudentMostRecentContainerType) TestLevel_IsNil() bool

Returns whether the element value for TestLevel is nil in the container StudentMostRecentContainerType.

func (*StudentMostRecentContainerType) Unset

Set the value of a property to nil

func (*StudentMostRecentContainerType) YearLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentMostRecentContainerType) YearLevel_IsNil

func (s *StudentMostRecentContainerType) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StudentMostRecentContainerType.

type StudentParticipation

type StudentParticipation struct {
	// contains filtered or unexported fields
}

func NewStudentParticipation added in v0.1.0

func NewStudentParticipation() *StudentParticipation

Generates a new object as a pointer to a struct

func StudentParticipationPointer

func StudentParticipationPointer(value interface{}) (*StudentParticipation, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentParticipationSlice

func StudentParticipationSlice() []*StudentParticipation

Create a slice of pointers to the object type

func (*StudentParticipation) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentParticipation) EntryPerson

func (s *StudentParticipation) EntryPerson() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) EntryPerson_IsNil

func (s *StudentParticipation) EntryPerson_IsNil() bool

Returns whether the element value for EntryPerson is nil in the container StudentParticipation.

func (*StudentParticipation) EvaluationDate

func (s *StudentParticipation) EvaluationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) EvaluationDate_IsNil

func (s *StudentParticipation) EvaluationDate_IsNil() bool

Returns whether the element value for EvaluationDate is nil in the container StudentParticipation.

func (*StudentParticipation) EvaluationExtensionDate

func (s *StudentParticipation) EvaluationExtensionDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) EvaluationExtensionDate_IsNil

func (s *StudentParticipation) EvaluationExtensionDate_IsNil() bool

Returns whether the element value for EvaluationExtensionDate is nil in the container StudentParticipation.

func (*StudentParticipation) EvaluationParentalConsentDate

func (s *StudentParticipation) EvaluationParentalConsentDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) EvaluationParentalConsentDate_IsNil

func (s *StudentParticipation) EvaluationParentalConsentDate_IsNil() bool

Returns whether the element value for EvaluationParentalConsentDate is nil in the container StudentParticipation.

func (*StudentParticipation) ExtendedDay

func (s *StudentParticipation) ExtendedDay() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ExtendedDay_IsNil

func (s *StudentParticipation) ExtendedDay_IsNil() bool

Returns whether the element value for ExtendedDay is nil in the container StudentParticipation.

func (*StudentParticipation) ExtendedSchoolYear

func (s *StudentParticipation) ExtendedSchoolYear() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ExtendedSchoolYear_IsNil

func (s *StudentParticipation) ExtendedSchoolYear_IsNil() bool

Returns whether the element value for ExtendedSchoolYear is nil in the container StudentParticipation.

func (*StudentParticipation) ExtensionComments

func (s *StudentParticipation) ExtensionComments() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ExtensionComments_IsNil

func (s *StudentParticipation) ExtensionComments_IsNil() bool

Returns whether the element value for ExtensionComments is nil in the container StudentParticipation.

func (*StudentParticipation) GiftedEligibilityCriteria

func (s *StudentParticipation) GiftedEligibilityCriteria() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) GiftedEligibilityCriteria_IsNil

func (s *StudentParticipation) GiftedEligibilityCriteria_IsNil() bool

Returns whether the element value for GiftedEligibilityCriteria is nil in the container StudentParticipation.

func (*StudentParticipation) LocalCodeList

func (s *StudentParticipation) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) LocalCodeList_IsNil

func (s *StudentParticipation) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentParticipation.

func (*StudentParticipation) ManagingSchool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ManagingSchool_IsNil

func (s *StudentParticipation) ManagingSchool_IsNil() bool

Returns whether the element value for ManagingSchool is nil in the container StudentParticipation.

func (*StudentParticipation) NOREPDate

func (s *StudentParticipation) NOREPDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) NOREPDate_IsNil

func (s *StudentParticipation) NOREPDate_IsNil() bool

Returns whether the element value for NOREPDate is nil in the container StudentParticipation.

func (*StudentParticipation) ParticipationContact

func (s *StudentParticipation) ParticipationContact() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ParticipationContact_IsNil

func (s *StudentParticipation) ParticipationContact_IsNil() bool

Returns whether the element value for ParticipationContact is nil in the container StudentParticipation.

func (*StudentParticipation) PlacementParentalConsentDate

func (s *StudentParticipation) PlacementParentalConsentDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) PlacementParentalConsentDate_IsNil

func (s *StudentParticipation) PlacementParentalConsentDate_IsNil() bool

Returns whether the element value for PlacementParentalConsentDate is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramAvailability

func (s *StudentParticipation) ProgramAvailability() *ProgramAvailabilityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramAvailability_IsNil

func (s *StudentParticipation) ProgramAvailability_IsNil() bool

Returns whether the element value for ProgramAvailability is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramEligibilityDate

func (s *StudentParticipation) ProgramEligibilityDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramEligibilityDate_IsNil

func (s *StudentParticipation) ProgramEligibilityDate_IsNil() bool

Returns whether the element value for ProgramEligibilityDate is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramFundingSources

func (s *StudentParticipation) ProgramFundingSources() *ProgramFundingSourcesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramFundingSources_IsNil

func (s *StudentParticipation) ProgramFundingSources_IsNil() bool

Returns whether the element value for ProgramFundingSources is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramPlacementDate

func (s *StudentParticipation) ProgramPlacementDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramPlacementDate_IsNil

func (s *StudentParticipation) ProgramPlacementDate_IsNil() bool

Returns whether the element value for ProgramPlacementDate is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramPlanDate

func (s *StudentParticipation) ProgramPlanDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramPlanDate_IsNil

func (s *StudentParticipation) ProgramPlanDate_IsNil() bool

Returns whether the element value for ProgramPlanDate is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramPlanEffectiveDate

func (s *StudentParticipation) ProgramPlanEffectiveDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramPlanEffectiveDate_IsNil

func (s *StudentParticipation) ProgramPlanEffectiveDate_IsNil() bool

Returns whether the element value for ProgramPlanEffectiveDate is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramStatus

func (s *StudentParticipation) ProgramStatus() *ProgramStatusType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramStatus_IsNil

func (s *StudentParticipation) ProgramStatus_IsNil() bool

Returns whether the element value for ProgramStatus is nil in the container StudentParticipation.

func (*StudentParticipation) ProgramType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ProgramType_IsNil

func (s *StudentParticipation) ProgramType_IsNil() bool

Returns whether the element value for ProgramType is nil in the container StudentParticipation.

func (*StudentParticipation) ReevaluationDate

func (s *StudentParticipation) ReevaluationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ReevaluationDate_IsNil

func (s *StudentParticipation) ReevaluationDate_IsNil() bool

Returns whether the element value for ReevaluationDate is nil in the container StudentParticipation.

func (*StudentParticipation) RefId

func (s *StudentParticipation) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) RefId_IsNil

func (s *StudentParticipation) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentParticipation.

func (*StudentParticipation) ReferralDate

func (s *StudentParticipation) ReferralDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ReferralDate_IsNil

func (s *StudentParticipation) ReferralDate_IsNil() bool

Returns whether the element value for ReferralDate is nil in the container StudentParticipation.

func (*StudentParticipation) ReferralSource

func (s *StudentParticipation) ReferralSource() *ReferralSourceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) ReferralSource_IsNil

func (s *StudentParticipation) ReferralSource_IsNil() bool

Returns whether the element value for ReferralSource is nil in the container StudentParticipation.

func (*StudentParticipation) SIF_ExtendedElements

func (s *StudentParticipation) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) SIF_ExtendedElements_IsNil

func (s *StudentParticipation) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentParticipation.

func (*StudentParticipation) SIF_Metadata

func (s *StudentParticipation) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) SIF_Metadata_IsNil

func (s *StudentParticipation) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentParticipation.

func (*StudentParticipation) SetProperties

func (n *StudentParticipation) SetProperties(props ...Prop) *StudentParticipation

Set a sequence of properties

func (*StudentParticipation) SetProperty

func (n *StudentParticipation) SetProperty(key string, value interface{}) *StudentParticipation

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentParticipation) StudentParticipationAsOfDate

func (s *StudentParticipation) StudentParticipationAsOfDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) StudentParticipationAsOfDate_IsNil

func (s *StudentParticipation) StudentParticipationAsOfDate_IsNil() bool

Returns whether the element value for StudentParticipationAsOfDate is nil in the container StudentParticipation.

func (*StudentParticipation) StudentPersonalRefId

func (s *StudentParticipation) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) StudentPersonalRefId_IsNil

func (s *StudentParticipation) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentParticipation.

func (*StudentParticipation) StudentSpecialEducationFTE

func (s *StudentParticipation) StudentSpecialEducationFTE() *FTEType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation) StudentSpecialEducationFTE_IsNil

func (s *StudentParticipation) StudentSpecialEducationFTE_IsNil() bool

Returns whether the element value for StudentSpecialEducationFTE is nil in the container StudentParticipation.

func (*StudentParticipation) Unset

Set the value of a property to nil

type StudentParticipation_ManagingSchool

type StudentParticipation_ManagingSchool struct {
	// contains filtered or unexported fields
}

func NewStudentParticipation_ManagingSchool added in v0.1.0

func NewStudentParticipation_ManagingSchool() *StudentParticipation_ManagingSchool

Generates a new object as a pointer to a struct

func StudentParticipation_ManagingSchoolPointer

func StudentParticipation_ManagingSchoolPointer(value interface{}) (*StudentParticipation_ManagingSchool, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentParticipation_ManagingSchool) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentParticipation_ManagingSchool) SIF_RefObject

func (s *StudentParticipation_ManagingSchool) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation_ManagingSchool) SIF_RefObject_IsNil

func (s *StudentParticipation_ManagingSchool) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container StudentParticipation_ManagingSchool.

func (*StudentParticipation_ManagingSchool) SetProperties

Set a sequence of properties

func (*StudentParticipation_ManagingSchool) SetProperty

func (n *StudentParticipation_ManagingSchool) SetProperty(key string, value interface{}) *StudentParticipation_ManagingSchool

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentParticipation_ManagingSchool) Unset

Set the value of a property to nil

func (*StudentParticipation_ManagingSchool) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentParticipation_ManagingSchool) Value_IsNil

func (s *StudentParticipation_ManagingSchool) Value_IsNil() bool

Returns whether the element value for Value is nil in the container StudentParticipation_ManagingSchool.

type StudentParticipations

type StudentParticipations struct {
	// contains filtered or unexported fields
}

func NewStudentParticipations added in v0.1.0

func NewStudentParticipations() *StudentParticipations

Generates a new object as a pointer to a struct

func StudentParticipationsPointer added in v0.1.0

func StudentParticipationsPointer(value interface{}) (*StudentParticipations, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentParticipations) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentParticipations) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentParticipations) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentParticipations) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentParticipations) Last added in v0.1.0

func (t *StudentParticipations) Last() *studentparticipation

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentParticipations) Len added in v0.1.0

func (t *StudentParticipations) Len() int

Length of the list.

func (*StudentParticipations) ToSlice added in v0.1.0

Convert list object to slice

type StudentPeriodAttendance

type StudentPeriodAttendance struct {
	// contains filtered or unexported fields
}

func NewStudentPeriodAttendance added in v0.1.0

func NewStudentPeriodAttendance() *StudentPeriodAttendance

Generates a new object as a pointer to a struct

func StudentPeriodAttendancePointer

func StudentPeriodAttendancePointer(value interface{}) (*StudentPeriodAttendance, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentPeriodAttendanceSlice

func StudentPeriodAttendanceSlice() []*StudentPeriodAttendance

Create a slice of pointers to the object type

func (*StudentPeriodAttendance) AttendanceCode

func (s *StudentPeriodAttendance) AttendanceCode() *AttendanceCodeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) AttendanceCode_IsNil

func (s *StudentPeriodAttendance) AttendanceCode_IsNil() bool

Returns whether the element value for AttendanceCode is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) AttendanceComment

func (s *StudentPeriodAttendance) AttendanceComment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) AttendanceComment_IsNil

func (s *StudentPeriodAttendance) AttendanceComment_IsNil() bool

Returns whether the element value for AttendanceComment is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) AttendanceStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) AttendanceStatus_IsNil

func (s *StudentPeriodAttendance) AttendanceStatus_IsNil() bool

Returns whether the element value for AttendanceStatus is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) AuditInfo

func (s *StudentPeriodAttendance) AuditInfo() *AuditInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) AuditInfo_IsNil

func (s *StudentPeriodAttendance) AuditInfo_IsNil() bool

Returns whether the element value for AuditInfo is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentPeriodAttendance) Date

func (s *StudentPeriodAttendance) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) Date_IsNil

func (s *StudentPeriodAttendance) Date_IsNil() bool

Returns whether the element value for Date is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) LocalCodeList

func (s *StudentPeriodAttendance) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) LocalCodeList_IsNil

func (s *StudentPeriodAttendance) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) RefId

func (s *StudentPeriodAttendance) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) RefId_IsNil

func (s *StudentPeriodAttendance) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SIF_ExtendedElements

func (s *StudentPeriodAttendance) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) SIF_ExtendedElements_IsNil

func (s *StudentPeriodAttendance) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SIF_Metadata

func (s *StudentPeriodAttendance) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) SIF_Metadata_IsNil

func (s *StudentPeriodAttendance) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) ScheduledActivityRefId

func (s *StudentPeriodAttendance) ScheduledActivityRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) ScheduledActivityRefId_IsNil

func (s *StudentPeriodAttendance) ScheduledActivityRefId_IsNil() bool

Returns whether the element value for ScheduledActivityRefId is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SchoolInfoRefId

func (s *StudentPeriodAttendance) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) SchoolInfoRefId_IsNil

func (s *StudentPeriodAttendance) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SchoolYear

func (s *StudentPeriodAttendance) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) SchoolYear_IsNil

func (s *StudentPeriodAttendance) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SessionInfoRefId

func (s *StudentPeriodAttendance) SessionInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) SessionInfoRefId_IsNil

func (s *StudentPeriodAttendance) SessionInfoRefId_IsNil() bool

Returns whether the element value for SessionInfoRefId is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) SetProperties

func (n *StudentPeriodAttendance) SetProperties(props ...Prop) *StudentPeriodAttendance

Set a sequence of properties

func (*StudentPeriodAttendance) SetProperty

func (n *StudentPeriodAttendance) SetProperty(key string, value interface{}) *StudentPeriodAttendance

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentPeriodAttendance) StudentPersonalRefId

func (s *StudentPeriodAttendance) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) StudentPersonalRefId_IsNil

func (s *StudentPeriodAttendance) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) TimeIn

func (s *StudentPeriodAttendance) TimeIn() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) TimeIn_IsNil

func (s *StudentPeriodAttendance) TimeIn_IsNil() bool

Returns whether the element value for TimeIn is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) TimeOut

func (s *StudentPeriodAttendance) TimeOut() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) TimeOut_IsNil

func (s *StudentPeriodAttendance) TimeOut_IsNil() bool

Returns whether the element value for TimeOut is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) TimetablePeriod

func (s *StudentPeriodAttendance) TimetablePeriod() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPeriodAttendance) TimetablePeriod_IsNil

func (s *StudentPeriodAttendance) TimetablePeriod_IsNil() bool

Returns whether the element value for TimetablePeriod is nil in the container StudentPeriodAttendance.

func (*StudentPeriodAttendance) Unset

Set the value of a property to nil

type StudentPeriodAttendances

type StudentPeriodAttendances struct {
	// contains filtered or unexported fields
}

func NewStudentPeriodAttendances added in v0.1.0

func NewStudentPeriodAttendances() *StudentPeriodAttendances

Generates a new object as a pointer to a struct

func StudentPeriodAttendancesPointer added in v0.1.0

func StudentPeriodAttendancesPointer(value interface{}) (*StudentPeriodAttendances, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentPeriodAttendances) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentPeriodAttendances) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentPeriodAttendances) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentPeriodAttendances) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentPeriodAttendances) Last added in v0.1.0

func (t *StudentPeriodAttendances) Last() *studentperiodattendance

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentPeriodAttendances) Len added in v0.1.0

func (t *StudentPeriodAttendances) Len() int

Length of the list.

func (*StudentPeriodAttendances) ToSlice added in v0.1.0

Convert list object to slice

type StudentPersonal

type StudentPersonal struct {
	// contains filtered or unexported fields
}

func NewStudentPersonal added in v0.1.0

func NewStudentPersonal() *StudentPersonal

Generates a new object as a pointer to a struct

func StudentPersonalPointer

func StudentPersonalPointer(value interface{}) (*StudentPersonal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentPersonalSlice

func StudentPersonalSlice() []*StudentPersonal

Create a slice of pointers to the object type

func (*StudentPersonal) AcceptableUsePolicy

func (s *StudentPersonal) AcceptableUsePolicy() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) AcceptableUsePolicy_IsNil

func (s *StudentPersonal) AcceptableUsePolicy_IsNil() bool

Returns whether the element value for AcceptableUsePolicy is nil in the container StudentPersonal.

func (*StudentPersonal) AlertMessages

func (s *StudentPersonal) AlertMessages() *AlertMessagesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) AlertMessages_IsNil

func (s *StudentPersonal) AlertMessages_IsNil() bool

Returns whether the element value for AlertMessages is nil in the container StudentPersonal.

func (*StudentPersonal) CategoryOfDisability

func (s *StudentPersonal) CategoryOfDisability() *AUCodeSetsNCCDDisabilityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) CategoryOfDisability_IsNil

func (s *StudentPersonal) CategoryOfDisability_IsNil() bool

Returns whether the element value for CategoryOfDisability is nil in the container StudentPersonal.

func (*StudentPersonal) Clone

func (t *StudentPersonal) Clone() *StudentPersonal

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentPersonal) Disability

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) Disability_IsNil

func (s *StudentPersonal) Disability_IsNil() bool

Returns whether the element value for Disability is nil in the container StudentPersonal.

func (*StudentPersonal) ESL

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) ESLDateAssessed

func (s *StudentPersonal) ESLDateAssessed() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) ESLDateAssessed_IsNil

func (s *StudentPersonal) ESLDateAssessed_IsNil() bool

Returns whether the element value for ESLDateAssessed is nil in the container StudentPersonal.

func (*StudentPersonal) ESLSupport

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) ESLSupport_IsNil

func (s *StudentPersonal) ESLSupport_IsNil() bool

Returns whether the element value for ESLSupport is nil in the container StudentPersonal.

func (*StudentPersonal) ESL_IsNil

func (s *StudentPersonal) ESL_IsNil() bool

Returns whether the element value for ESL is nil in the container StudentPersonal.

func (*StudentPersonal) EconomicDisadvantage

func (s *StudentPersonal) EconomicDisadvantage() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) EconomicDisadvantage_IsNil

func (s *StudentPersonal) EconomicDisadvantage_IsNil() bool

Returns whether the element value for EconomicDisadvantage is nil in the container StudentPersonal.

func (*StudentPersonal) EducationSupport

func (s *StudentPersonal) EducationSupport() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) EducationSupport_IsNil

func (s *StudentPersonal) EducationSupport_IsNil() bool

Returns whether the element value for EducationSupport is nil in the container StudentPersonal.

func (*StudentPersonal) ElectronicIdList

func (s *StudentPersonal) ElectronicIdList() *ElectronicIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) ElectronicIdList_IsNil

func (s *StudentPersonal) ElectronicIdList_IsNil() bool

Returns whether the element value for ElectronicIdList is nil in the container StudentPersonal.

func (*StudentPersonal) FirstAUSchoolEnrollment

func (s *StudentPersonal) FirstAUSchoolEnrollment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) FirstAUSchoolEnrollment_IsNil

func (s *StudentPersonal) FirstAUSchoolEnrollment_IsNil() bool

Returns whether the element value for FirstAUSchoolEnrollment is nil in the container StudentPersonal.

func (*StudentPersonal) GiftedTalented

func (s *StudentPersonal) GiftedTalented() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) GiftedTalented_IsNil

func (s *StudentPersonal) GiftedTalented_IsNil() bool

Returns whether the element value for GiftedTalented is nil in the container StudentPersonal.

func (*StudentPersonal) GraduationDate

func (s *StudentPersonal) GraduationDate() *GraduationDateType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) GraduationDate_IsNil

func (s *StudentPersonal) GraduationDate_IsNil() bool

Returns whether the element value for GraduationDate is nil in the container StudentPersonal.

func (*StudentPersonal) HomeSchooledStudent

func (s *StudentPersonal) HomeSchooledStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) HomeSchooledStudent_IsNil

func (s *StudentPersonal) HomeSchooledStudent_IsNil() bool

Returns whether the element value for HomeSchooledStudent is nil in the container StudentPersonal.

func (*StudentPersonal) IndependentStudent

func (s *StudentPersonal) IndependentStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) IndependentStudent_IsNil

func (s *StudentPersonal) IndependentStudent_IsNil() bool

Returns whether the element value for IndependentStudent is nil in the container StudentPersonal.

func (*StudentPersonal) IntegrationAide

func (s *StudentPersonal) IntegrationAide() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) IntegrationAide_IsNil

func (s *StudentPersonal) IntegrationAide_IsNil() bool

Returns whether the element value for IntegrationAide is nil in the container StudentPersonal.

func (*StudentPersonal) LocalCodeList

func (s *StudentPersonal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) LocalCodeList_IsNil

func (s *StudentPersonal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentPersonal.

func (*StudentPersonal) LocalId

func (s *StudentPersonal) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) LocalId_IsNil

func (s *StudentPersonal) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container StudentPersonal.

func (*StudentPersonal) MedicalAlertMessages

func (s *StudentPersonal) MedicalAlertMessages() *MedicalAlertMessagesType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) MedicalAlertMessages_IsNil

func (s *StudentPersonal) MedicalAlertMessages_IsNil() bool

Returns whether the element value for MedicalAlertMessages is nil in the container StudentPersonal.

func (*StudentPersonal) MostRecent

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) MostRecent_IsNil

func (s *StudentPersonal) MostRecent_IsNil() bool

Returns whether the element value for MostRecent is nil in the container StudentPersonal.

func (*StudentPersonal) NationalUniqueStudentIdentifier

func (s *StudentPersonal) NationalUniqueStudentIdentifier() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) NationalUniqueStudentIdentifier_IsNil

func (s *StudentPersonal) NationalUniqueStudentIdentifier_IsNil() bool

Returns whether the element value for NationalUniqueStudentIdentifier is nil in the container StudentPersonal.

func (*StudentPersonal) OfflineDelivery

func (s *StudentPersonal) OfflineDelivery() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) OfflineDelivery_IsNil

func (s *StudentPersonal) OfflineDelivery_IsNil() bool

Returns whether the element value for OfflineDelivery is nil in the container StudentPersonal.

func (*StudentPersonal) OnTimeGraduationYear

func (s *StudentPersonal) OnTimeGraduationYear() *OnTimeGraduationYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) OnTimeGraduationYear_IsNil

func (s *StudentPersonal) OnTimeGraduationYear_IsNil() bool

Returns whether the element value for OnTimeGraduationYear is nil in the container StudentPersonal.

func (*StudentPersonal) OtherIdList

func (s *StudentPersonal) OtherIdList() *OtherIdListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) OtherIdList_IsNil

func (s *StudentPersonal) OtherIdList_IsNil() bool

Returns whether the element value for OtherIdList is nil in the container StudentPersonal.

func (*StudentPersonal) PersonInfo

func (s *StudentPersonal) PersonInfo() *PersonInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) PersonInfo_IsNil

func (s *StudentPersonal) PersonInfo_IsNil() bool

Returns whether the element value for PersonInfo is nil in the container StudentPersonal.

func (*StudentPersonal) PrePrimaryEducation

func (s *StudentPersonal) PrePrimaryEducation() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) PrePrimaryEducationHours

func (s *StudentPersonal) PrePrimaryEducationHours() *AUCodeSetsPrePrimaryHoursType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) PrePrimaryEducationHours_IsNil

func (s *StudentPersonal) PrePrimaryEducationHours_IsNil() bool

Returns whether the element value for PrePrimaryEducationHours is nil in the container StudentPersonal.

func (*StudentPersonal) PrePrimaryEducation_IsNil

func (s *StudentPersonal) PrePrimaryEducation_IsNil() bool

Returns whether the element value for PrePrimaryEducation is nil in the container StudentPersonal.

func (*StudentPersonal) ProjectedGraduationYear

func (s *StudentPersonal) ProjectedGraduationYear() *ProjectedGraduationYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) ProjectedGraduationYear_IsNil

func (s *StudentPersonal) ProjectedGraduationYear_IsNil() bool

Returns whether the element value for ProjectedGraduationYear is nil in the container StudentPersonal.

func (*StudentPersonal) RefId

func (s *StudentPersonal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) RefId_IsNil

func (s *StudentPersonal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentPersonal.

func (*StudentPersonal) SIF_ExtendedElements

func (s *StudentPersonal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) SIF_ExtendedElements_IsNil

func (s *StudentPersonal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentPersonal.

func (*StudentPersonal) SIF_Metadata

func (s *StudentPersonal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) SIF_Metadata_IsNil

func (s *StudentPersonal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentPersonal.

func (*StudentPersonal) Sensitive

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) Sensitive_IsNil

func (s *StudentPersonal) Sensitive_IsNil() bool

Returns whether the element value for Sensitive is nil in the container StudentPersonal.

func (*StudentPersonal) SetProperties

func (n *StudentPersonal) SetProperties(props ...Prop) *StudentPersonal

Set a sequence of properties

func (*StudentPersonal) SetProperty

func (n *StudentPersonal) SetProperty(key string, value interface{}) *StudentPersonal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentPersonal) StateProvinceId

func (s *StudentPersonal) StateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) StateProvinceId_IsNil

func (s *StudentPersonal) StateProvinceId_IsNil() bool

Returns whether the element value for StateProvinceId is nil in the container StudentPersonal.

func (*StudentPersonal) Unset

func (n *StudentPersonal) Unset(key string) *StudentPersonal

Set the value of a property to nil

func (*StudentPersonal) YoungCarersRole

func (s *StudentPersonal) YoungCarersRole() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentPersonal) YoungCarersRole_IsNil

func (s *StudentPersonal) YoungCarersRole_IsNil() bool

Returns whether the element value for YoungCarersRole is nil in the container StudentPersonal.

type StudentPersonals

type StudentPersonals struct {
	// contains filtered or unexported fields
}

func NewStudentPersonals added in v0.1.0

func NewStudentPersonals() *StudentPersonals

Generates a new object as a pointer to a struct

func StudentPersonalsPointer added in v0.1.0

func StudentPersonalsPointer(value interface{}) (*StudentPersonals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentPersonals) AddNew added in v0.1.0

func (t *StudentPersonals) AddNew() *StudentPersonals

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentPersonals) Append added in v0.1.0

func (t *StudentPersonals) Append(values ...*StudentPersonal) *StudentPersonals

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentPersonals) Clone added in v0.1.0

func (t *StudentPersonals) Clone() *StudentPersonals

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentPersonals) Index added in v0.1.0

func (t *StudentPersonals) Index(n int) *StudentPersonal

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentPersonals) Last added in v0.1.0

func (t *StudentPersonals) Last() *studentpersonal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentPersonals) Len added in v0.1.0

func (t *StudentPersonals) Len() int

Length of the list.

func (*StudentPersonals) ToSlice added in v0.1.0

func (t *StudentPersonals) ToSlice() []*StudentPersonal

Convert list object to slice

type StudentSchoolEnrollment

type StudentSchoolEnrollment struct {
	// contains filtered or unexported fields
}

func NewStudentSchoolEnrollment added in v0.1.0

func NewStudentSchoolEnrollment() *StudentSchoolEnrollment

Generates a new object as a pointer to a struct

func StudentSchoolEnrollmentPointer

func StudentSchoolEnrollmentPointer(value interface{}) (*StudentSchoolEnrollment, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentSchoolEnrollmentSlice

func StudentSchoolEnrollmentSlice() []*StudentSchoolEnrollment

Create a slice of pointers to the object type

func (*StudentSchoolEnrollment) ACARASchoolId

func (s *StudentSchoolEnrollment) ACARASchoolId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ACARASchoolId_IsNil

func (s *StudentSchoolEnrollment) ACARASchoolId_IsNil() bool

Returns whether the element value for ACARASchoolId is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Advisor

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) Advisor_IsNil

func (s *StudentSchoolEnrollment) Advisor_IsNil() bool

Returns whether the element value for Advisor is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) BoardingStatus

func (s *StudentSchoolEnrollment) BoardingStatus() *AUCodeSetsBoardingType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) BoardingStatus_IsNil

func (s *StudentSchoolEnrollment) BoardingStatus_IsNil() bool

Returns whether the element value for BoardingStatus is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Calendar

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) Calendar_IsNil

func (s *StudentSchoolEnrollment) Calendar_IsNil() bool

Returns whether the element value for Calendar is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) CatchmentStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) CatchmentStatus_IsNil

func (s *StudentSchoolEnrollment) CatchmentStatus_IsNil() bool

Returns whether the element value for CatchmentStatus is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) CensusAge

func (s *StudentSchoolEnrollment) CensusAge() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) CensusAge_IsNil

func (s *StudentSchoolEnrollment) CensusAge_IsNil() bool

Returns whether the element value for CensusAge is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) ClassCode

func (s *StudentSchoolEnrollment) ClassCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ClassCode_IsNil

func (s *StudentSchoolEnrollment) ClassCode_IsNil() bool

Returns whether the element value for ClassCode is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSchoolEnrollment) Counselor

func (s *StudentSchoolEnrollment) Counselor() *StaffRefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) Counselor_IsNil

func (s *StudentSchoolEnrollment) Counselor_IsNil() bool

Returns whether the element value for Counselor is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) DestinationSchool

func (s *StudentSchoolEnrollment) DestinationSchool() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) DestinationSchoolName

func (s *StudentSchoolEnrollment) DestinationSchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) DestinationSchoolName_IsNil

func (s *StudentSchoolEnrollment) DestinationSchoolName_IsNil() bool

Returns whether the element value for DestinationSchoolName is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) DestinationSchool_IsNil

func (s *StudentSchoolEnrollment) DestinationSchool_IsNil() bool

Returns whether the element value for DestinationSchool is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) DisabilityCategory

func (s *StudentSchoolEnrollment) DisabilityCategory() *AUCodeSetsNCCDDisabilityType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) DisabilityCategory_IsNil

func (s *StudentSchoolEnrollment) DisabilityCategory_IsNil() bool

Returns whether the element value for DisabilityCategory is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) DisabilityLevelOfAdjustment

func (s *StudentSchoolEnrollment) DisabilityLevelOfAdjustment() *AUCodeSetsNCCDAdjustmentType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) DisabilityLevelOfAdjustment_IsNil

func (s *StudentSchoolEnrollment) DisabilityLevelOfAdjustment_IsNil() bool

Returns whether the element value for DisabilityLevelOfAdjustment is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) DistanceEducationStudent

func (s *StudentSchoolEnrollment) DistanceEducationStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) DistanceEducationStudent_IsNil

func (s *StudentSchoolEnrollment) DistanceEducationStudent_IsNil() bool

Returns whether the element value for DistanceEducationStudent is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) EntryDate

func (s *StudentSchoolEnrollment) EntryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) EntryDate_IsNil

func (s *StudentSchoolEnrollment) EntryDate_IsNil() bool

Returns whether the element value for EntryDate is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) EntryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) EntryType_IsNil

func (s *StudentSchoolEnrollment) EntryType_IsNil() bool

Returns whether the element value for EntryType is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) ExitDate

func (s *StudentSchoolEnrollment) ExitDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ExitDate_IsNil

func (s *StudentSchoolEnrollment) ExitDate_IsNil() bool

Returns whether the element value for ExitDate is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) ExitStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ExitStatus_IsNil

func (s *StudentSchoolEnrollment) ExitStatus_IsNil() bool

Returns whether the element value for ExitStatus is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) ExitType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ExitType_IsNil

func (s *StudentSchoolEnrollment) ExitType_IsNil() bool

Returns whether the element value for ExitType is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) FFPOS

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) FFPOS_IsNil

func (s *StudentSchoolEnrollment) FFPOS_IsNil() bool

Returns whether the element value for FFPOS is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) FTE

func (s *StudentSchoolEnrollment) FTE() *FTEType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) FTE_IsNil

func (s *StudentSchoolEnrollment) FTE_IsNil() bool

Returns whether the element value for FTE is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) FTPTStatus

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) FTPTStatus_IsNil

func (s *StudentSchoolEnrollment) FTPTStatus_IsNil() bool

Returns whether the element value for FTPTStatus is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Homegroup

func (s *StudentSchoolEnrollment) Homegroup() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) Homegroup_IsNil

func (s *StudentSchoolEnrollment) Homegroup_IsNil() bool

Returns whether the element value for Homegroup is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Homeroom

func (s *StudentSchoolEnrollment) Homeroom() *HomeroomType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) Homeroom_IsNil

func (s *StudentSchoolEnrollment) Homeroom_IsNil() bool

Returns whether the element value for Homeroom is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) House

func (s *StudentSchoolEnrollment) House() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) House_IsNil

func (s *StudentSchoolEnrollment) House_IsNil() bool

Returns whether the element value for House is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) IndividualLearningPlan

func (s *StudentSchoolEnrollment) IndividualLearningPlan() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) IndividualLearningPlan_IsNil

func (s *StudentSchoolEnrollment) IndividualLearningPlan_IsNil() bool

Returns whether the element value for IndividualLearningPlan is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) IntendedEntryDate

func (s *StudentSchoolEnrollment) IntendedEntryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) IntendedEntryDate_IsNil

func (s *StudentSchoolEnrollment) IntendedEntryDate_IsNil() bool

Returns whether the element value for IntendedEntryDate is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) InternationalStudent

func (s *StudentSchoolEnrollment) InternationalStudent() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) InternationalStudent_IsNil

func (s *StudentSchoolEnrollment) InternationalStudent_IsNil() bool

Returns whether the element value for InternationalStudent is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) LocalCodeList

func (s *StudentSchoolEnrollment) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) LocalCodeList_IsNil

func (s *StudentSchoolEnrollment) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) LocalId

func (s *StudentSchoolEnrollment) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) LocalId_IsNil

func (s *StudentSchoolEnrollment) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) MembershipType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) MembershipType_IsNil

func (s *StudentSchoolEnrollment) MembershipType_IsNil() bool

Returns whether the element value for MembershipType is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) PreviousSchool

func (s *StudentSchoolEnrollment) PreviousSchool() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) PreviousSchoolName

func (s *StudentSchoolEnrollment) PreviousSchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) PreviousSchoolName_IsNil

func (s *StudentSchoolEnrollment) PreviousSchoolName_IsNil() bool

Returns whether the element value for PreviousSchoolName is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) PreviousSchool_IsNil

func (s *StudentSchoolEnrollment) PreviousSchool_IsNil() bool

Returns whether the element value for PreviousSchool is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) PromotionInfo

func (s *StudentSchoolEnrollment) PromotionInfo() *PromotionInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) PromotionInfo_IsNil

func (s *StudentSchoolEnrollment) PromotionInfo_IsNil() bool

Returns whether the element value for PromotionInfo is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) PublishingPermissionList

func (s *StudentSchoolEnrollment) PublishingPermissionList() *PublishingPermissionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) PublishingPermissionList_IsNil

func (s *StudentSchoolEnrollment) PublishingPermissionList_IsNil() bool

Returns whether the element value for PublishingPermissionList is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) RecordClosureReason

func (s *StudentSchoolEnrollment) RecordClosureReason() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) RecordClosureReason_IsNil

func (s *StudentSchoolEnrollment) RecordClosureReason_IsNil() bool

Returns whether the element value for RecordClosureReason is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) RefId

func (s *StudentSchoolEnrollment) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) RefId_IsNil

func (s *StudentSchoolEnrollment) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) ReportingSchool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) ReportingSchool_IsNil

func (s *StudentSchoolEnrollment) ReportingSchool_IsNil() bool

Returns whether the element value for ReportingSchool is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) SIF_ExtendedElements

func (s *StudentSchoolEnrollment) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) SIF_ExtendedElements_IsNil

func (s *StudentSchoolEnrollment) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) SIF_Metadata

func (s *StudentSchoolEnrollment) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) SIF_Metadata_IsNil

func (s *StudentSchoolEnrollment) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) SchoolInfoRefId

func (s *StudentSchoolEnrollment) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) SchoolInfoRefId_IsNil

func (s *StudentSchoolEnrollment) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) SchoolYear

func (s *StudentSchoolEnrollment) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) SchoolYear_IsNil

func (s *StudentSchoolEnrollment) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) SetProperties

func (n *StudentSchoolEnrollment) SetProperties(props ...Prop) *StudentSchoolEnrollment

Set a sequence of properties

func (*StudentSchoolEnrollment) SetProperty

func (n *StudentSchoolEnrollment) SetProperty(key string, value interface{}) *StudentSchoolEnrollment

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSchoolEnrollment) StartedAtSchoolDate

func (s *StudentSchoolEnrollment) StartedAtSchoolDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) StartedAtSchoolDate_IsNil

func (s *StudentSchoolEnrollment) StartedAtSchoolDate_IsNil() bool

Returns whether the element value for StartedAtSchoolDate is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) StudentGroupList

func (s *StudentSchoolEnrollment) StudentGroupList() *StudentGroupListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) StudentGroupList_IsNil

func (s *StudentSchoolEnrollment) StudentGroupList_IsNil() bool

Returns whether the element value for StudentGroupList is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) StudentPersonalRefId

func (s *StudentSchoolEnrollment) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) StudentPersonalRefId_IsNil

func (s *StudentSchoolEnrollment) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) StudentSubjectChoiceList

func (s *StudentSchoolEnrollment) StudentSubjectChoiceList() *StudentSubjectChoiceListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) StudentSubjectChoiceList_IsNil

func (s *StudentSchoolEnrollment) StudentSubjectChoiceList_IsNil() bool

Returns whether the element value for StudentSubjectChoiceList is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) TestLevel

func (s *StudentSchoolEnrollment) TestLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) TestLevel_IsNil

func (s *StudentSchoolEnrollment) TestLevel_IsNil() bool

Returns whether the element value for TestLevel is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) TimeFrame

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) TimeFrame_IsNil

func (s *StudentSchoolEnrollment) TimeFrame_IsNil() bool

Returns whether the element value for TimeFrame is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) TravelDetails

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) TravelDetails_IsNil

func (s *StudentSchoolEnrollment) TravelDetails_IsNil() bool

Returns whether the element value for TravelDetails is nil in the container StudentSchoolEnrollment.

func (*StudentSchoolEnrollment) Unset

Set the value of a property to nil

func (*StudentSchoolEnrollment) YearLevel

func (s *StudentSchoolEnrollment) YearLevel() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment) YearLevel_IsNil

func (s *StudentSchoolEnrollment) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StudentSchoolEnrollment.

type StudentSchoolEnrollment_Calendar

type StudentSchoolEnrollment_Calendar struct {
	// contains filtered or unexported fields
}

func NewStudentSchoolEnrollment_Calendar added in v0.1.0

func NewStudentSchoolEnrollment_Calendar() *StudentSchoolEnrollment_Calendar

Generates a new object as a pointer to a struct

func StudentSchoolEnrollment_CalendarPointer

func StudentSchoolEnrollment_CalendarPointer(value interface{}) (*StudentSchoolEnrollment_Calendar, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentSchoolEnrollment_Calendar) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSchoolEnrollment_Calendar) SIF_RefObject

func (s *StudentSchoolEnrollment_Calendar) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment_Calendar) SIF_RefObject_IsNil

func (s *StudentSchoolEnrollment_Calendar) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container StudentSchoolEnrollment_Calendar.

func (*StudentSchoolEnrollment_Calendar) SetProperties

Set a sequence of properties

func (*StudentSchoolEnrollment_Calendar) SetProperty

func (n *StudentSchoolEnrollment_Calendar) SetProperty(key string, value interface{}) *StudentSchoolEnrollment_Calendar

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSchoolEnrollment_Calendar) Unset

Set the value of a property to nil

func (*StudentSchoolEnrollment_Calendar) Value

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSchoolEnrollment_Calendar) Value_IsNil

func (s *StudentSchoolEnrollment_Calendar) Value_IsNil() bool

Returns whether the element value for Value is nil in the container StudentSchoolEnrollment_Calendar.

type StudentSchoolEnrollments

type StudentSchoolEnrollments struct {
	// contains filtered or unexported fields
}

func NewStudentSchoolEnrollments added in v0.1.0

func NewStudentSchoolEnrollments() *StudentSchoolEnrollments

Generates a new object as a pointer to a struct

func StudentSchoolEnrollmentsPointer added in v0.1.0

func StudentSchoolEnrollmentsPointer(value interface{}) (*StudentSchoolEnrollments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentSchoolEnrollments) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentSchoolEnrollments) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSchoolEnrollments) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSchoolEnrollments) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentSchoolEnrollments) Last added in v0.1.0

func (t *StudentSchoolEnrollments) Last() *studentschoolenrollment

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentSchoolEnrollments) Len added in v0.1.0

func (t *StudentSchoolEnrollments) Len() int

Length of the list.

func (*StudentSchoolEnrollments) ToSlice added in v0.1.0

Convert list object to slice

type StudentScoreJudgementAgainstStandard

type StudentScoreJudgementAgainstStandard struct {
	// contains filtered or unexported fields
}

func NewStudentScoreJudgementAgainstStandard added in v0.1.0

func NewStudentScoreJudgementAgainstStandard() *StudentScoreJudgementAgainstStandard

Generates a new object as a pointer to a struct

func StudentScoreJudgementAgainstStandardPointer

func StudentScoreJudgementAgainstStandardPointer(value interface{}) (*StudentScoreJudgementAgainstStandard, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentScoreJudgementAgainstStandardSlice

func StudentScoreJudgementAgainstStandardSlice() []*StudentScoreJudgementAgainstStandard

Create a slice of pointers to the object type

func (*StudentScoreJudgementAgainstStandard) ClassLocalId

func (s *StudentScoreJudgementAgainstStandard) ClassLocalId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) ClassLocalId_IsNil

func (s *StudentScoreJudgementAgainstStandard) ClassLocalId_IsNil() bool

Returns whether the element value for ClassLocalId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentScoreJudgementAgainstStandard) CurriculumCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) CurriculumCode_IsNil

func (s *StudentScoreJudgementAgainstStandard) CurriculumCode_IsNil() bool

Returns whether the element value for CurriculumCode is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) CurriculumNodeCode

func (s *StudentScoreJudgementAgainstStandard) CurriculumNodeCode() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) CurriculumNodeCode_IsNil

func (s *StudentScoreJudgementAgainstStandard) CurriculumNodeCode_IsNil() bool

Returns whether the element value for CurriculumNodeCode is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) Grade added in v0.2.0

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) Grade_IsNil added in v0.2.0

func (s *StudentScoreJudgementAgainstStandard) Grade_IsNil() bool

Returns whether the element value for Grade is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) LearningStandardList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) LearningStandardList_IsNil

func (s *StudentScoreJudgementAgainstStandard) LearningStandardList_IsNil() bool

Returns whether the element value for LearningStandardList is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) LocalCodeList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) LocalCodeList_IsNil

func (s *StudentScoreJudgementAgainstStandard) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) LocalTermCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) LocalTermCode_IsNil

func (s *StudentScoreJudgementAgainstStandard) LocalTermCode_IsNil() bool

Returns whether the element value for LocalTermCode is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) ManagedPathwayLocalCode

func (s *StudentScoreJudgementAgainstStandard) ManagedPathwayLocalCode() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) ManagedPathwayLocalCode_IsNil

func (s *StudentScoreJudgementAgainstStandard) ManagedPathwayLocalCode_IsNil() bool

Returns whether the element value for ManagedPathwayLocalCode is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) RefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) RefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SIF_ExtendedElements

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SIF_ExtendedElements_IsNil

func (s *StudentScoreJudgementAgainstStandard) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SIF_Metadata

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SIF_Metadata_IsNil

func (s *StudentScoreJudgementAgainstStandard) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SchoolCommonwealthId

func (s *StudentScoreJudgementAgainstStandard) SchoolCommonwealthId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SchoolCommonwealthId_IsNil

func (s *StudentScoreJudgementAgainstStandard) SchoolCommonwealthId_IsNil() bool

Returns whether the element value for SchoolCommonwealthId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SchoolInfoRefId

func (s *StudentScoreJudgementAgainstStandard) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SchoolInfoRefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SchoolLocalId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SchoolLocalId_IsNil

func (s *StudentScoreJudgementAgainstStandard) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SchoolYear

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SchoolYear_IsNil

func (s *StudentScoreJudgementAgainstStandard) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) Score

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) Score_IsNil

func (s *StudentScoreJudgementAgainstStandard) Score_IsNil() bool

Returns whether the element value for Score is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) SetProperties

Set a sequence of properties

func (*StudentScoreJudgementAgainstStandard) SetProperty

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentScoreJudgementAgainstStandard) SpecialCircumstanceLocalCode

func (s *StudentScoreJudgementAgainstStandard) SpecialCircumstanceLocalCode() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) SpecialCircumstanceLocalCode_IsNil

func (s *StudentScoreJudgementAgainstStandard) SpecialCircumstanceLocalCode_IsNil() bool

Returns whether the element value for SpecialCircumstanceLocalCode is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) StaffLocalId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) StaffLocalId_IsNil

func (s *StudentScoreJudgementAgainstStandard) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) StaffPersonalRefId

func (s *StudentScoreJudgementAgainstStandard) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) StaffPersonalRefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) StudentLocalId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) StudentLocalId_IsNil

func (s *StudentScoreJudgementAgainstStandard) StudentLocalId_IsNil() bool

Returns whether the element value for StudentLocalId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) StudentPersonalRefId

func (s *StudentScoreJudgementAgainstStandard) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) StudentPersonalRefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) StudentStateProvinceId

func (s *StudentScoreJudgementAgainstStandard) StudentStateProvinceId() *StateProvinceIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) StudentStateProvinceId_IsNil

func (s *StudentScoreJudgementAgainstStandard) StudentStateProvinceId_IsNil() bool

Returns whether the element value for StudentStateProvinceId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) TeacherJudgement added in v0.2.0

func (s *StudentScoreJudgementAgainstStandard) TeacherJudgement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) TeacherJudgement_IsNil added in v0.2.0

func (s *StudentScoreJudgementAgainstStandard) TeacherJudgement_IsNil() bool

Returns whether the element value for TeacherJudgement is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) TeachingGroupRefId

func (s *StudentScoreJudgementAgainstStandard) TeachingGroupRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) TeachingGroupRefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) TeachingGroupRefId_IsNil() bool

Returns whether the element value for TeachingGroupRefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) TermInfoRefId

func (s *StudentScoreJudgementAgainstStandard) TermInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) TermInfoRefId_IsNil

func (s *StudentScoreJudgementAgainstStandard) TermInfoRefId_IsNil() bool

Returns whether the element value for TermInfoRefId is nil in the container StudentScoreJudgementAgainstStandard.

func (*StudentScoreJudgementAgainstStandard) Unset

Set the value of a property to nil

func (*StudentScoreJudgementAgainstStandard) YearLevel

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentScoreJudgementAgainstStandard) YearLevel_IsNil

func (s *StudentScoreJudgementAgainstStandard) YearLevel_IsNil() bool

Returns whether the element value for YearLevel is nil in the container StudentScoreJudgementAgainstStandard.

type StudentScoreJudgementAgainstStandards

type StudentScoreJudgementAgainstStandards struct {
	// contains filtered or unexported fields
}

func NewStudentScoreJudgementAgainstStandards added in v0.1.0

func NewStudentScoreJudgementAgainstStandards() *StudentScoreJudgementAgainstStandards

Generates a new object as a pointer to a struct

func StudentScoreJudgementAgainstStandardsPointer added in v0.1.0

func StudentScoreJudgementAgainstStandardsPointer(value interface{}) (*StudentScoreJudgementAgainstStandards, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentScoreJudgementAgainstStandards) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentScoreJudgementAgainstStandards) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentScoreJudgementAgainstStandards) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentScoreJudgementAgainstStandards) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentScoreJudgementAgainstStandards) Last added in v0.1.0

func (t *StudentScoreJudgementAgainstStandards) Last() *studentscorejudgementagainststandard

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentScoreJudgementAgainstStandards) Len added in v0.1.0

Length of the list.

func (*StudentScoreJudgementAgainstStandards) ToSlice added in v0.1.0

Convert list object to slice

type StudentSectionEnrollment

type StudentSectionEnrollment struct {
	// contains filtered or unexported fields
}

func NewStudentSectionEnrollment added in v0.1.0

func NewStudentSectionEnrollment() *StudentSectionEnrollment

Generates a new object as a pointer to a struct

func StudentSectionEnrollmentPointer

func StudentSectionEnrollmentPointer(value interface{}) (*StudentSectionEnrollment, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func StudentSectionEnrollmentSlice

func StudentSectionEnrollmentSlice() []*StudentSectionEnrollment

Create a slice of pointers to the object type

func (*StudentSectionEnrollment) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSectionEnrollment) EntryDate

func (s *StudentSectionEnrollment) EntryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) EntryDate_IsNil

func (s *StudentSectionEnrollment) EntryDate_IsNil() bool

Returns whether the element value for EntryDate is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) ExitDate

func (s *StudentSectionEnrollment) ExitDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) ExitDate_IsNil

func (s *StudentSectionEnrollment) ExitDate_IsNil() bool

Returns whether the element value for ExitDate is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) LocalCodeList

func (s *StudentSectionEnrollment) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) LocalCodeList_IsNil

func (s *StudentSectionEnrollment) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) RefId

func (s *StudentSectionEnrollment) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) RefId_IsNil

func (s *StudentSectionEnrollment) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) SIF_ExtendedElements

func (s *StudentSectionEnrollment) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) SIF_ExtendedElements_IsNil

func (s *StudentSectionEnrollment) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) SIF_Metadata

func (s *StudentSectionEnrollment) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) SIF_Metadata_IsNil

func (s *StudentSectionEnrollment) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) SchoolYear

func (s *StudentSectionEnrollment) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) SchoolYear_IsNil

func (s *StudentSectionEnrollment) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) SectionInfoRefId

func (s *StudentSectionEnrollment) SectionInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) SectionInfoRefId_IsNil

func (s *StudentSectionEnrollment) SectionInfoRefId_IsNil() bool

Returns whether the element value for SectionInfoRefId is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) SetProperties

func (n *StudentSectionEnrollment) SetProperties(props ...Prop) *StudentSectionEnrollment

Set a sequence of properties

func (*StudentSectionEnrollment) SetProperty

func (n *StudentSectionEnrollment) SetProperty(key string, value interface{}) *StudentSectionEnrollment

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSectionEnrollment) StudentPersonalRefId

func (s *StudentSectionEnrollment) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSectionEnrollment) StudentPersonalRefId_IsNil

func (s *StudentSectionEnrollment) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container StudentSectionEnrollment.

func (*StudentSectionEnrollment) Unset

Set the value of a property to nil

type StudentSectionEnrollments

type StudentSectionEnrollments struct {
	// contains filtered or unexported fields
}

func NewStudentSectionEnrollments added in v0.1.0

func NewStudentSectionEnrollments() *StudentSectionEnrollments

Generates a new object as a pointer to a struct

func StudentSectionEnrollmentsPointer added in v0.1.0

func StudentSectionEnrollmentsPointer(value interface{}) (*StudentSectionEnrollments, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentSectionEnrollments) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentSectionEnrollments) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSectionEnrollments) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSectionEnrollments) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*StudentSectionEnrollments) Last added in v0.1.0

func (t *StudentSectionEnrollments) Last() *studentsectionenrollment

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentSectionEnrollments) Len added in v0.1.0

func (t *StudentSectionEnrollments) Len() int

Length of the list.

func (*StudentSectionEnrollments) ToSlice added in v0.1.0

Convert list object to slice

type StudentSubjectChoiceListType

type StudentSubjectChoiceListType struct {
	// contains filtered or unexported fields
}

func NewStudentSubjectChoiceListType added in v0.1.0

func NewStudentSubjectChoiceListType() *StudentSubjectChoiceListType

Generates a new object as a pointer to a struct

func StudentSubjectChoiceListTypePointer

func StudentSubjectChoiceListTypePointer(value interface{}) (*StudentSubjectChoiceListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentSubjectChoiceListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentSubjectChoiceListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSubjectChoiceListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSubjectChoiceListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentSubjectChoiceListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentSubjectChoiceListType) Len

Length of the list.

func (*StudentSubjectChoiceListType) ToSlice added in v0.1.0

Convert list object to slice

type StudentSubjectChoiceType

type StudentSubjectChoiceType struct {
	// contains filtered or unexported fields
}

func NewStudentSubjectChoiceType added in v0.1.0

func NewStudentSubjectChoiceType() *StudentSubjectChoiceType

Generates a new object as a pointer to a struct

func StudentSubjectChoiceTypePointer

func StudentSubjectChoiceTypePointer(value interface{}) (*StudentSubjectChoiceType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentSubjectChoiceType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentSubjectChoiceType) OtherSchoolLocalId

func (s *StudentSubjectChoiceType) OtherSchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSubjectChoiceType) OtherSchoolLocalId_IsNil

func (s *StudentSubjectChoiceType) OtherSchoolLocalId_IsNil() bool

Returns whether the element value for OtherSchoolLocalId is nil in the container StudentSubjectChoiceType.

func (*StudentSubjectChoiceType) PreferenceNumber

func (s *StudentSubjectChoiceType) PreferenceNumber() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSubjectChoiceType) PreferenceNumber_IsNil

func (s *StudentSubjectChoiceType) PreferenceNumber_IsNil() bool

Returns whether the element value for PreferenceNumber is nil in the container StudentSubjectChoiceType.

func (*StudentSubjectChoiceType) SetProperties

func (n *StudentSubjectChoiceType) SetProperties(props ...Prop) *StudentSubjectChoiceType

Set a sequence of properties

func (*StudentSubjectChoiceType) SetProperty

func (n *StudentSubjectChoiceType) SetProperty(key string, value interface{}) *StudentSubjectChoiceType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentSubjectChoiceType) StudyDescription

func (s *StudentSubjectChoiceType) StudyDescription() *SubjectAreaType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSubjectChoiceType) StudyDescription_IsNil

func (s *StudentSubjectChoiceType) StudyDescription_IsNil() bool

Returns whether the element value for StudyDescription is nil in the container StudentSubjectChoiceType.

func (*StudentSubjectChoiceType) SubjectLocalId

func (s *StudentSubjectChoiceType) SubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*StudentSubjectChoiceType) SubjectLocalId_IsNil

func (s *StudentSubjectChoiceType) SubjectLocalId_IsNil() bool

Returns whether the element value for SubjectLocalId is nil in the container StudentSubjectChoiceType.

func (*StudentSubjectChoiceType) Unset

Set the value of a property to nil

type StudentsType

type StudentsType struct {
	// contains filtered or unexported fields
}

func NewStudentsType added in v0.1.0

func NewStudentsType() *StudentsType

Generates a new object as a pointer to a struct

func StudentsTypePointer

func StudentsTypePointer(value interface{}) (*StudentsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*StudentsType) AddNew

func (t *StudentsType) AddNew() *StudentsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*StudentsType) Append

func (t *StudentsType) Append(values ...string) *StudentsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*StudentsType) AppendString

func (t *StudentsType) AppendString(value string) *StudentsType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*StudentsType) Clone

func (t *StudentsType) Clone() *StudentsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*StudentsType) Index

func (t *StudentsType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*StudentsType) Last

func (t *StudentsType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*StudentsType) Len

func (t *StudentsType) Len() int

Length of the list.

func (*StudentsType) ToSlice added in v0.1.0

func (t *StudentsType) ToSlice() []*string

Convert list object to slice

type SubjectAreaListType

type SubjectAreaListType struct {
	// contains filtered or unexported fields
}

func NewSubjectAreaListType added in v0.1.0

func NewSubjectAreaListType() *SubjectAreaListType

Generates a new object as a pointer to a struct

func SubjectAreaListTypePointer

func SubjectAreaListTypePointer(value interface{}) (*SubjectAreaListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SubjectAreaListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SubjectAreaListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SubjectAreaListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SubjectAreaListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SubjectAreaListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SubjectAreaListType) Len

func (t *SubjectAreaListType) Len() int

Length of the list.

func (*SubjectAreaListType) ToSlice added in v0.1.0

func (t *SubjectAreaListType) ToSlice() []*SubjectAreaType

Convert list object to slice

type SubjectAreaType

type SubjectAreaType struct {
	// contains filtered or unexported fields
}

func NewSubjectAreaType added in v0.1.0

func NewSubjectAreaType() *SubjectAreaType

Generates a new object as a pointer to a struct

func SubjectAreaTypePointer

func SubjectAreaTypePointer(value interface{}) (*SubjectAreaType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SubjectAreaType) Clone

func (t *SubjectAreaType) Clone() *SubjectAreaType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SubjectAreaType) Code

func (s *SubjectAreaType) Code() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SubjectAreaType) Code_IsNil

func (s *SubjectAreaType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container SubjectAreaType.

func (*SubjectAreaType) OtherCodeList

func (s *SubjectAreaType) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SubjectAreaType) OtherCodeList_IsNil

func (s *SubjectAreaType) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container SubjectAreaType.

func (*SubjectAreaType) SetProperties

func (n *SubjectAreaType) SetProperties(props ...Prop) *SubjectAreaType

Set a sequence of properties

func (*SubjectAreaType) SetProperty

func (n *SubjectAreaType) SetProperty(key string, value interface{}) *SubjectAreaType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SubjectAreaType) Unset

func (n *SubjectAreaType) Unset(key string) *SubjectAreaType

Set the value of a property to nil

type SubstituteItemListType

type SubstituteItemListType struct {
	// contains filtered or unexported fields
}

func NewSubstituteItemListType added in v0.1.0

func NewSubstituteItemListType() *SubstituteItemListType

Generates a new object as a pointer to a struct

func SubstituteItemListTypePointer

func SubstituteItemListTypePointer(value interface{}) (*SubstituteItemListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SubstituteItemListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SubstituteItemListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SubstituteItemListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SubstituteItemListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SubstituteItemListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SubstituteItemListType) Len

func (t *SubstituteItemListType) Len() int

Length of the list.

func (*SubstituteItemListType) ToSlice added in v0.1.0

Convert list object to slice

type SubstituteItemType

type SubstituteItemType struct {
	// contains filtered or unexported fields
}

func NewSubstituteItemType added in v0.1.0

func NewSubstituteItemType() *SubstituteItemType

Generates a new object as a pointer to a struct

func SubstituteItemTypePointer

func SubstituteItemTypePointer(value interface{}) (*SubstituteItemType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SubstituteItemType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SubstituteItemType) PNPCodeList

func (s *SubstituteItemType) PNPCodeList() *PNPCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SubstituteItemType) PNPCodeList_IsNil

func (s *SubstituteItemType) PNPCodeList_IsNil() bool

Returns whether the element value for PNPCodeList is nil in the container SubstituteItemType.

func (*SubstituteItemType) SetProperties

func (n *SubstituteItemType) SetProperties(props ...Prop) *SubstituteItemType

Set a sequence of properties

func (*SubstituteItemType) SetProperty

func (n *SubstituteItemType) SetProperty(key string, value interface{}) *SubstituteItemType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SubstituteItemType) SubstituteItemLocalId

func (s *SubstituteItemType) SubstituteItemLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SubstituteItemType) SubstituteItemLocalId_IsNil

func (s *SubstituteItemType) SubstituteItemLocalId_IsNil() bool

Returns whether the element value for SubstituteItemLocalId is nil in the container SubstituteItemType.

func (*SubstituteItemType) SubstituteItemRefId

func (s *SubstituteItemType) SubstituteItemRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SubstituteItemType) SubstituteItemRefId_IsNil

func (s *SubstituteItemType) SubstituteItemRefId_IsNil() bool

Returns whether the element value for SubstituteItemRefId is nil in the container SubstituteItemType.

func (*SubstituteItemType) Unset

Set the value of a property to nil

type SuspensionContainerType

type SuspensionContainerType struct {
	// contains filtered or unexported fields
}

func NewSuspensionContainerType added in v0.1.0

func NewSuspensionContainerType() *SuspensionContainerType

Generates a new object as a pointer to a struct

func SuspensionContainerTypePointer

func SuspensionContainerTypePointer(value interface{}) (*SuspensionContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SuspensionContainerType) AdvisementDate

func (s *SuspensionContainerType) AdvisementDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) AdvisementDate_IsNil

func (s *SuspensionContainerType) AdvisementDate_IsNil() bool

Returns whether the element value for AdvisementDate is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SuspensionContainerType) Duration

func (s *SuspensionContainerType) Duration() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) Duration_IsNil

func (s *SuspensionContainerType) Duration_IsNil() bool

Returns whether the element value for Duration is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) EarlyReturnDate

func (s *SuspensionContainerType) EarlyReturnDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) EarlyReturnDate_IsNil

func (s *SuspensionContainerType) EarlyReturnDate_IsNil() bool

Returns whether the element value for EarlyReturnDate is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) ResolutionMeetingTime

func (s *SuspensionContainerType) ResolutionMeetingTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) ResolutionMeetingTime_IsNil

func (s *SuspensionContainerType) ResolutionMeetingTime_IsNil() bool

Returns whether the element value for ResolutionMeetingTime is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) ResolutionNotes

func (s *SuspensionContainerType) ResolutionNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) ResolutionNotes_IsNil

func (s *SuspensionContainerType) ResolutionNotes_IsNil() bool

Returns whether the element value for ResolutionNotes is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) SetProperties

func (n *SuspensionContainerType) SetProperties(props ...Prop) *SuspensionContainerType

Set a sequence of properties

func (*SuspensionContainerType) SetProperty

func (n *SuspensionContainerType) SetProperty(key string, value interface{}) *SuspensionContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SuspensionContainerType) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) Status_IsNil

func (s *SuspensionContainerType) Status_IsNil() bool

Returns whether the element value for Status is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) SuspensionCategory

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) SuspensionCategory_IsNil

func (s *SuspensionContainerType) SuspensionCategory_IsNil() bool

Returns whether the element value for SuspensionCategory is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) SuspensionNotes

func (s *SuspensionContainerType) SuspensionNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) SuspensionNotes_IsNil

func (s *SuspensionContainerType) SuspensionNotes_IsNil() bool

Returns whether the element value for SuspensionNotes is nil in the container SuspensionContainerType.

func (*SuspensionContainerType) Unset

Set the value of a property to nil

func (*SuspensionContainerType) WithdrawalTimeList

func (s *SuspensionContainerType) WithdrawalTimeList() *WithdrawalTimeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*SuspensionContainerType) WithdrawalTimeList_IsNil

func (s *SuspensionContainerType) WithdrawalTimeList_IsNil() bool

Returns whether the element value for WithdrawalTimeList is nil in the container SuspensionContainerType.

type SymptomListType

type SymptomListType struct {
	// contains filtered or unexported fields
}

func NewSymptomListType added in v0.1.0

func NewSymptomListType() *SymptomListType

Generates a new object as a pointer to a struct

func SymptomListTypePointer

func SymptomListTypePointer(value interface{}) (*SymptomListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*SymptomListType) AddNew

func (t *SymptomListType) AddNew() *SymptomListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*SymptomListType) Append

func (t *SymptomListType) Append(values ...string) *SymptomListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*SymptomListType) AppendString

func (t *SymptomListType) AppendString(value string) *SymptomListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*SymptomListType) Clone

func (t *SymptomListType) Clone() *SymptomListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*SymptomListType) Index

func (t *SymptomListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*SymptomListType) Last

func (t *SymptomListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*SymptomListType) Len

func (t *SymptomListType) Len() int

Length of the list.

func (*SymptomListType) ToSlice added in v0.1.0

func (t *SymptomListType) ToSlice() []*string

Convert list object to slice

type TeacherCoverType

type TeacherCoverType struct {
	// contains filtered or unexported fields
}

func NewTeacherCoverType added in v0.1.0

func NewTeacherCoverType() *TeacherCoverType

Generates a new object as a pointer to a struct

func TeacherCoverTypePointer

func TeacherCoverTypePointer(value interface{}) (*TeacherCoverType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeacherCoverType) Clone

func (t *TeacherCoverType) Clone() *TeacherCoverType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeacherCoverType) Credit

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) Credit_IsNil

func (s *TeacherCoverType) Credit_IsNil() bool

Returns whether the element value for Credit is nil in the container TeacherCoverType.

func (*TeacherCoverType) FinishTime

func (s *TeacherCoverType) FinishTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) FinishTime_IsNil

func (s *TeacherCoverType) FinishTime_IsNil() bool

Returns whether the element value for FinishTime is nil in the container TeacherCoverType.

func (*TeacherCoverType) SetProperties

func (n *TeacherCoverType) SetProperties(props ...Prop) *TeacherCoverType

Set a sequence of properties

func (*TeacherCoverType) SetProperty

func (n *TeacherCoverType) SetProperty(key string, value interface{}) *TeacherCoverType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeacherCoverType) StaffLocalId

func (s *TeacherCoverType) StaffLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) StaffLocalId_IsNil

func (s *TeacherCoverType) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container TeacherCoverType.

func (*TeacherCoverType) StaffPersonalRefId

func (s *TeacherCoverType) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) StaffPersonalRefId_IsNil

func (s *TeacherCoverType) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container TeacherCoverType.

func (*TeacherCoverType) StartTime

func (s *TeacherCoverType) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) StartTime_IsNil

func (s *TeacherCoverType) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container TeacherCoverType.

func (*TeacherCoverType) Supervision

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) Supervision_IsNil

func (s *TeacherCoverType) Supervision_IsNil() bool

Returns whether the element value for Supervision is nil in the container TeacherCoverType.

func (*TeacherCoverType) Unset

func (n *TeacherCoverType) Unset(key string) *TeacherCoverType

Set the value of a property to nil

func (*TeacherCoverType) Weighting

func (s *TeacherCoverType) Weighting() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeacherCoverType) Weighting_IsNil

func (s *TeacherCoverType) Weighting_IsNil() bool

Returns whether the element value for Weighting is nil in the container TeacherCoverType.

type TeacherListType

type TeacherListType struct {
	// contains filtered or unexported fields
}

func NewTeacherListType added in v0.1.0

func NewTeacherListType() *TeacherListType

Generates a new object as a pointer to a struct

func TeacherListTypePointer

func TeacherListTypePointer(value interface{}) (*TeacherListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeacherListType) AddNew

func (t *TeacherListType) AddNew() *TeacherListType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TeacherListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeacherListType) Clone

func (t *TeacherListType) Clone() *TeacherListType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeacherListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TeacherListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TeacherListType) Len

func (t *TeacherListType) Len() int

Length of the list.

func (*TeacherListType) ToSlice added in v0.1.0

func (t *TeacherListType) ToSlice() []*TeachingGroupTeacherType

Convert list object to slice

type TeachingGroup

type TeachingGroup struct {
	// contains filtered or unexported fields
}

func NewTeachingGroup added in v0.1.0

func NewTeachingGroup() *TeachingGroup

Generates a new object as a pointer to a struct

func TeachingGroupPointer

func TeachingGroupPointer(value interface{}) (*TeachingGroup, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TeachingGroupSlice

func TeachingGroupSlice() []*TeachingGroup

Create a slice of pointers to the object type

func (*TeachingGroup) Block

func (s *TeachingGroup) Block() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) Block_IsNil

func (s *TeachingGroup) Block_IsNil() bool

Returns whether the element value for Block is nil in the container TeachingGroup.

func (*TeachingGroup) Clone

func (t *TeachingGroup) Clone() *TeachingGroup

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroup) CurriculumLevel

func (s *TeachingGroup) CurriculumLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) CurriculumLevel_IsNil

func (s *TeachingGroup) CurriculumLevel_IsNil() bool

Returns whether the element value for CurriculumLevel is nil in the container TeachingGroup.

func (*TeachingGroup) GroupType

func (s *TeachingGroup) GroupType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) GroupType_IsNil

func (s *TeachingGroup) GroupType_IsNil() bool

Returns whether the element value for GroupType is nil in the container TeachingGroup.

func (*TeachingGroup) KeyLearningArea

func (s *TeachingGroup) KeyLearningArea() *AUCodeSetsACStrandType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) KeyLearningArea_IsNil

func (s *TeachingGroup) KeyLearningArea_IsNil() bool

Returns whether the element value for KeyLearningArea is nil in the container TeachingGroup.

func (*TeachingGroup) LocalCodeList

func (s *TeachingGroup) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) LocalCodeList_IsNil

func (s *TeachingGroup) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TeachingGroup.

func (*TeachingGroup) LocalId

func (s *TeachingGroup) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) LocalId_IsNil

func (s *TeachingGroup) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container TeachingGroup.

func (*TeachingGroup) LongName

func (s *TeachingGroup) LongName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) LongName_IsNil

func (s *TeachingGroup) LongName_IsNil() bool

Returns whether the element value for LongName is nil in the container TeachingGroup.

func (*TeachingGroup) MaxClassSize

func (s *TeachingGroup) MaxClassSize() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) MaxClassSize_IsNil

func (s *TeachingGroup) MaxClassSize_IsNil() bool

Returns whether the element value for MaxClassSize is nil in the container TeachingGroup.

func (*TeachingGroup) MinClassSize

func (s *TeachingGroup) MinClassSize() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) MinClassSize_IsNil

func (s *TeachingGroup) MinClassSize_IsNil() bool

Returns whether the element value for MinClassSize is nil in the container TeachingGroup.

func (*TeachingGroup) RefId

func (s *TeachingGroup) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) RefId_IsNil

func (s *TeachingGroup) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TeachingGroup.

func (*TeachingGroup) SIF_ExtendedElements

func (s *TeachingGroup) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SIF_ExtendedElements_IsNil

func (s *TeachingGroup) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TeachingGroup.

func (*TeachingGroup) SIF_Metadata

func (s *TeachingGroup) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SIF_Metadata_IsNil

func (s *TeachingGroup) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TeachingGroup.

func (*TeachingGroup) SchoolCourseInfoRefId

func (s *TeachingGroup) SchoolCourseInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SchoolCourseInfoRefId_IsNil

func (s *TeachingGroup) SchoolCourseInfoRefId_IsNil() bool

Returns whether the element value for SchoolCourseInfoRefId is nil in the container TeachingGroup.

func (*TeachingGroup) SchoolCourseLocalId

func (s *TeachingGroup) SchoolCourseLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SchoolCourseLocalId_IsNil

func (s *TeachingGroup) SchoolCourseLocalId_IsNil() bool

Returns whether the element value for SchoolCourseLocalId is nil in the container TeachingGroup.

func (*TeachingGroup) SchoolInfoRefId

func (s *TeachingGroup) SchoolInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SchoolInfoRefId_IsNil

func (s *TeachingGroup) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TeachingGroup.

func (*TeachingGroup) SchoolLocalId

func (s *TeachingGroup) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SchoolLocalId_IsNil

func (s *TeachingGroup) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TeachingGroup.

func (*TeachingGroup) SchoolYear

func (s *TeachingGroup) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SchoolYear_IsNil

func (s *TeachingGroup) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TeachingGroup.

func (*TeachingGroup) Semester

func (s *TeachingGroup) Semester() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) Semester_IsNil

func (s *TeachingGroup) Semester_IsNil() bool

Returns whether the element value for Semester is nil in the container TeachingGroup.

func (*TeachingGroup) Set

func (s *TeachingGroup) Set() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) SetProperties

func (n *TeachingGroup) SetProperties(props ...Prop) *TeachingGroup

Set a sequence of properties

func (*TeachingGroup) SetProperty

func (n *TeachingGroup) SetProperty(key string, value interface{}) *TeachingGroup

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroup) Set_IsNil

func (s *TeachingGroup) Set_IsNil() bool

Returns whether the element value for Set is nil in the container TeachingGroup.

func (*TeachingGroup) ShortName

func (s *TeachingGroup) ShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) ShortName_IsNil

func (s *TeachingGroup) ShortName_IsNil() bool

Returns whether the element value for ShortName is nil in the container TeachingGroup.

func (*TeachingGroup) StudentList

func (s *TeachingGroup) StudentList() *StudentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) StudentList_IsNil

func (s *TeachingGroup) StudentList_IsNil() bool

Returns whether the element value for StudentList is nil in the container TeachingGroup.

func (*TeachingGroup) TeacherList

func (s *TeachingGroup) TeacherList() *TeacherListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) TeacherList_IsNil

func (s *TeachingGroup) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container TeachingGroup.

func (*TeachingGroup) TeachingGroupPeriodList

func (s *TeachingGroup) TeachingGroupPeriodList() *TeachingGroupPeriodListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) TeachingGroupPeriodList_IsNil

func (s *TeachingGroup) TeachingGroupPeriodList_IsNil() bool

Returns whether the element value for TeachingGroupPeriodList is nil in the container TeachingGroup.

func (*TeachingGroup) TimeTableSubjectLocalId

func (s *TeachingGroup) TimeTableSubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) TimeTableSubjectLocalId_IsNil

func (s *TeachingGroup) TimeTableSubjectLocalId_IsNil() bool

Returns whether the element value for TimeTableSubjectLocalId is nil in the container TeachingGroup.

func (*TeachingGroup) TimeTableSubjectRefId

func (s *TeachingGroup) TimeTableSubjectRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroup) TimeTableSubjectRefId_IsNil

func (s *TeachingGroup) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container TeachingGroup.

func (*TeachingGroup) Unset

func (n *TeachingGroup) Unset(key string) *TeachingGroup

Set the value of a property to nil

type TeachingGroupListType

type TeachingGroupListType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupListType added in v0.1.0

func NewTeachingGroupListType() *TeachingGroupListType

Generates a new object as a pointer to a struct

func TeachingGroupListTypePointer

func TeachingGroupListTypePointer(value interface{}) (*TeachingGroupListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TeachingGroupListType) Append

func (t *TeachingGroupListType) Append(values ...string) *TeachingGroupListType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupListType) AppendString

func (t *TeachingGroupListType) AppendString(value string) *TeachingGroupListType

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*TeachingGroupListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupListType) Index

func (t *TeachingGroupListType) Index(n int) *string

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TeachingGroupListType) Last

func (t *TeachingGroupListType) Last() *string

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TeachingGroupListType) Len

func (t *TeachingGroupListType) Len() int

Length of the list.

func (*TeachingGroupListType) ToSlice added in v0.1.0

func (t *TeachingGroupListType) ToSlice() []*string

Convert list object to slice

type TeachingGroupPeriodListType

type TeachingGroupPeriodListType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupPeriodListType added in v0.1.0

func NewTeachingGroupPeriodListType() *TeachingGroupPeriodListType

Generates a new object as a pointer to a struct

func TeachingGroupPeriodListTypePointer

func TeachingGroupPeriodListTypePointer(value interface{}) (*TeachingGroupPeriodListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupPeriodListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TeachingGroupPeriodListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupPeriodListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupPeriodListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TeachingGroupPeriodListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TeachingGroupPeriodListType) Len

Length of the list.

func (*TeachingGroupPeriodListType) ToSlice added in v0.1.0

Convert list object to slice

type TeachingGroupPeriodType

type TeachingGroupPeriodType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupPeriodType added in v0.1.0

func NewTeachingGroupPeriodType() *TeachingGroupPeriodType

Generates a new object as a pointer to a struct

func TeachingGroupPeriodTypePointer

func TeachingGroupPeriodTypePointer(value interface{}) (*TeachingGroupPeriodType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupPeriodType) CellType

func (s *TeachingGroupPeriodType) CellType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) CellType_IsNil

func (s *TeachingGroupPeriodType) CellType_IsNil() bool

Returns whether the element value for CellType is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupPeriodType) DayId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) DayId_IsNil

func (s *TeachingGroupPeriodType) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) PeriodId

func (s *TeachingGroupPeriodType) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) PeriodId_IsNil

func (s *TeachingGroupPeriodType) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) RoomNumber

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) RoomNumber_IsNil

func (s *TeachingGroupPeriodType) RoomNumber_IsNil() bool

Returns whether the element value for RoomNumber is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) SetProperties

func (n *TeachingGroupPeriodType) SetProperties(props ...Prop) *TeachingGroupPeriodType

Set a sequence of properties

func (*TeachingGroupPeriodType) SetProperty

func (n *TeachingGroupPeriodType) SetProperty(key string, value interface{}) *TeachingGroupPeriodType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupPeriodType) StaffLocalId

func (s *TeachingGroupPeriodType) StaffLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) StaffLocalId_IsNil

func (s *TeachingGroupPeriodType) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) StartTime

func (s *TeachingGroupPeriodType) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) StartTime_IsNil

func (s *TeachingGroupPeriodType) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) TimeTableCellRefId

func (s *TeachingGroupPeriodType) TimeTableCellRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupPeriodType) TimeTableCellRefId_IsNil

func (s *TeachingGroupPeriodType) TimeTableCellRefId_IsNil() bool

Returns whether the element value for TimeTableCellRefId is nil in the container TeachingGroupPeriodType.

func (*TeachingGroupPeriodType) Unset

Set the value of a property to nil

type TeachingGroupScheduleListType

type TeachingGroupScheduleListType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupScheduleListType added in v0.1.0

func NewTeachingGroupScheduleListType() *TeachingGroupScheduleListType

Generates a new object as a pointer to a struct

func TeachingGroupScheduleListTypePointer

func TeachingGroupScheduleListTypePointer(value interface{}) (*TeachingGroupScheduleListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupScheduleListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TeachingGroupScheduleListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupScheduleListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupScheduleListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TeachingGroupScheduleListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TeachingGroupScheduleListType) Len

Length of the list.

func (*TeachingGroupScheduleListType) ToSlice added in v0.1.0

Convert list object to slice

type TeachingGroupScheduleType

type TeachingGroupScheduleType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupScheduleType added in v0.1.0

func NewTeachingGroupScheduleType() *TeachingGroupScheduleType

Generates a new object as a pointer to a struct

func TeachingGroupScheduleTypePointer

func TeachingGroupScheduleTypePointer(value interface{}) (*TeachingGroupScheduleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupScheduleType) Block

func (s *TeachingGroupScheduleType) Block() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) Block_IsNil

func (s *TeachingGroupScheduleType) Block_IsNil() bool

Returns whether the element value for Block is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupScheduleType) CurriculumLevel

func (s *TeachingGroupScheduleType) CurriculumLevel() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) CurriculumLevel_IsNil

func (s *TeachingGroupScheduleType) CurriculumLevel_IsNil() bool

Returns whether the element value for CurriculumLevel is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) EditorGUID

func (s *TeachingGroupScheduleType) EditorGUID() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) EditorGUID_IsNil

func (s *TeachingGroupScheduleType) EditorGUID_IsNil() bool

Returns whether the element value for EditorGUID is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) GroupType

func (s *TeachingGroupScheduleType) GroupType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) GroupType_IsNil

func (s *TeachingGroupScheduleType) GroupType_IsNil() bool

Returns whether the element value for GroupType is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) LocalId

func (s *TeachingGroupScheduleType) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) LocalId_IsNil

func (s *TeachingGroupScheduleType) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) LongName

func (s *TeachingGroupScheduleType) LongName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) LongName_IsNil

func (s *TeachingGroupScheduleType) LongName_IsNil() bool

Returns whether the element value for LongName is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) MaxClassSize

func (s *TeachingGroupScheduleType) MaxClassSize() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) MaxClassSize_IsNil

func (s *TeachingGroupScheduleType) MaxClassSize_IsNil() bool

Returns whether the element value for MaxClassSize is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) MinClassSize

func (s *TeachingGroupScheduleType) MinClassSize() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) MinClassSize_IsNil

func (s *TeachingGroupScheduleType) MinClassSize_IsNil() bool

Returns whether the element value for MinClassSize is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) SchoolCourseInfoRefId

func (s *TeachingGroupScheduleType) SchoolCourseInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SchoolCourseInfoRefId_IsNil

func (s *TeachingGroupScheduleType) SchoolCourseInfoRefId_IsNil() bool

Returns whether the element value for SchoolCourseInfoRefId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) SchoolCourseLocalId

func (s *TeachingGroupScheduleType) SchoolCourseLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SchoolCourseLocalId_IsNil

func (s *TeachingGroupScheduleType) SchoolCourseLocalId_IsNil() bool

Returns whether the element value for SchoolCourseLocalId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) SchoolInfoRefId

func (s *TeachingGroupScheduleType) SchoolInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SchoolInfoRefId_IsNil

func (s *TeachingGroupScheduleType) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) SchoolLocalId

func (s *TeachingGroupScheduleType) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SchoolLocalId_IsNil

func (s *TeachingGroupScheduleType) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) SchoolYear

func (s *TeachingGroupScheduleType) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SchoolYear_IsNil

func (s *TeachingGroupScheduleType) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) Semester

func (s *TeachingGroupScheduleType) Semester() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) Semester_IsNil

func (s *TeachingGroupScheduleType) Semester_IsNil() bool

Returns whether the element value for Semester is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) Set

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) SetProperties

func (n *TeachingGroupScheduleType) SetProperties(props ...Prop) *TeachingGroupScheduleType

Set a sequence of properties

func (*TeachingGroupScheduleType) SetProperty

func (n *TeachingGroupScheduleType) SetProperty(key string, value interface{}) *TeachingGroupScheduleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupScheduleType) Set_IsNil

func (s *TeachingGroupScheduleType) Set_IsNil() bool

Returns whether the element value for Set is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) ShortName

func (s *TeachingGroupScheduleType) ShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) ShortName_IsNil

func (s *TeachingGroupScheduleType) ShortName_IsNil() bool

Returns whether the element value for ShortName is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) StudentList

func (s *TeachingGroupScheduleType) StudentList() *StudentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) StudentList_IsNil

func (s *TeachingGroupScheduleType) StudentList_IsNil() bool

Returns whether the element value for StudentList is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) TeacherList

func (s *TeachingGroupScheduleType) TeacherList() *TeacherListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) TeacherList_IsNil

func (s *TeachingGroupScheduleType) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) TeachingGroupPeriodList

func (s *TeachingGroupScheduleType) TeachingGroupPeriodList() *TeachingGroupPeriodListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) TeachingGroupPeriodList_IsNil

func (s *TeachingGroupScheduleType) TeachingGroupPeriodList_IsNil() bool

Returns whether the element value for TeachingGroupPeriodList is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) TimeTableSubjectLocalId

func (s *TeachingGroupScheduleType) TimeTableSubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) TimeTableSubjectLocalId_IsNil

func (s *TeachingGroupScheduleType) TimeTableSubjectLocalId_IsNil() bool

Returns whether the element value for TimeTableSubjectLocalId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) TimeTableSubjectRefId

func (s *TeachingGroupScheduleType) TimeTableSubjectRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupScheduleType) TimeTableSubjectRefId_IsNil

func (s *TeachingGroupScheduleType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container TeachingGroupScheduleType.

func (*TeachingGroupScheduleType) Unset

Set the value of a property to nil

type TeachingGroupStudentType

type TeachingGroupStudentType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupStudentType added in v0.1.0

func NewTeachingGroupStudentType() *TeachingGroupStudentType

Generates a new object as a pointer to a struct

func TeachingGroupStudentTypePointer

func TeachingGroupStudentTypePointer(value interface{}) (*TeachingGroupStudentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupStudentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupStudentType) Name

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupStudentType) Name_IsNil

func (s *TeachingGroupStudentType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container TeachingGroupStudentType.

func (*TeachingGroupStudentType) SetProperties

func (n *TeachingGroupStudentType) SetProperties(props ...Prop) *TeachingGroupStudentType

Set a sequence of properties

func (*TeachingGroupStudentType) SetProperty

func (n *TeachingGroupStudentType) SetProperty(key string, value interface{}) *TeachingGroupStudentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupStudentType) StudentLocalId

func (s *TeachingGroupStudentType) StudentLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupStudentType) StudentLocalId_IsNil

func (s *TeachingGroupStudentType) StudentLocalId_IsNil() bool

Returns whether the element value for StudentLocalId is nil in the container TeachingGroupStudentType.

func (*TeachingGroupStudentType) StudentPersonalRefId

func (s *TeachingGroupStudentType) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupStudentType) StudentPersonalRefId_IsNil

func (s *TeachingGroupStudentType) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container TeachingGroupStudentType.

func (*TeachingGroupStudentType) Unset

Set the value of a property to nil

type TeachingGroupTeacherType

type TeachingGroupTeacherType struct {
	// contains filtered or unexported fields
}

func NewTeachingGroupTeacherType added in v0.1.0

func NewTeachingGroupTeacherType() *TeachingGroupTeacherType

Generates a new object as a pointer to a struct

func TeachingGroupTeacherTypePointer

func TeachingGroupTeacherTypePointer(value interface{}) (*TeachingGroupTeacherType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroupTeacherType) Association

func (s *TeachingGroupTeacherType) Association() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupTeacherType) Association_IsNil

func (s *TeachingGroupTeacherType) Association_IsNil() bool

Returns whether the element value for Association is nil in the container TeachingGroupTeacherType.

func (*TeachingGroupTeacherType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroupTeacherType) Name

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupTeacherType) Name_IsNil

func (s *TeachingGroupTeacherType) Name_IsNil() bool

Returns whether the element value for Name is nil in the container TeachingGroupTeacherType.

func (*TeachingGroupTeacherType) SetProperties

func (n *TeachingGroupTeacherType) SetProperties(props ...Prop) *TeachingGroupTeacherType

Set a sequence of properties

func (*TeachingGroupTeacherType) SetProperty

func (n *TeachingGroupTeacherType) SetProperty(key string, value interface{}) *TeachingGroupTeacherType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroupTeacherType) StaffLocalId

func (s *TeachingGroupTeacherType) StaffLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupTeacherType) StaffLocalId_IsNil

func (s *TeachingGroupTeacherType) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container TeachingGroupTeacherType.

func (*TeachingGroupTeacherType) StaffPersonalRefId

func (s *TeachingGroupTeacherType) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TeachingGroupTeacherType) StaffPersonalRefId_IsNil

func (s *TeachingGroupTeacherType) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container TeachingGroupTeacherType.

func (*TeachingGroupTeacherType) Unset

Set the value of a property to nil

type TeachingGroups

type TeachingGroups struct {
	// contains filtered or unexported fields
}

func NewTeachingGroups added in v0.1.0

func NewTeachingGroups() *TeachingGroups

Generates a new object as a pointer to a struct

func TeachingGroupsPointer added in v0.1.0

func TeachingGroupsPointer(value interface{}) (*TeachingGroups, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TeachingGroups) AddNew added in v0.1.0

func (t *TeachingGroups) AddNew() *TeachingGroups

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TeachingGroups) Append added in v0.1.0

func (t *TeachingGroups) Append(values ...*TeachingGroup) *TeachingGroups

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TeachingGroups) Clone added in v0.1.0

func (t *TeachingGroups) Clone() *TeachingGroups

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TeachingGroups) Index added in v0.1.0

func (t *TeachingGroups) Index(n int) *TeachingGroup

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TeachingGroups) Last added in v0.1.0

func (t *TeachingGroups) Last() *teachinggroup

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TeachingGroups) Len added in v0.1.0

func (t *TeachingGroups) Len() int

Length of the list.

func (*TeachingGroups) ToSlice added in v0.1.0

func (t *TeachingGroups) ToSlice() []*TeachingGroup

Convert list object to slice

type TechnicalRequirementsType

type TechnicalRequirementsType struct {
	// contains filtered or unexported fields
}

func NewTechnicalRequirementsType added in v0.1.0

func NewTechnicalRequirementsType() *TechnicalRequirementsType

Generates a new object as a pointer to a struct

func TechnicalRequirementsTypePointer

func TechnicalRequirementsTypePointer(value interface{}) (*TechnicalRequirementsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TechnicalRequirementsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TechnicalRequirementsType) SetProperties

func (n *TechnicalRequirementsType) SetProperties(props ...Prop) *TechnicalRequirementsType

Set a sequence of properties

func (*TechnicalRequirementsType) SetProperty

func (n *TechnicalRequirementsType) SetProperty(key string, value interface{}) *TechnicalRequirementsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TechnicalRequirementsType) TechnicalRequirement

func (s *TechnicalRequirementsType) TechnicalRequirement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TechnicalRequirementsType) TechnicalRequirement_IsNil

func (s *TechnicalRequirementsType) TechnicalRequirement_IsNil() bool

Returns whether the element value for TechnicalRequirement is nil in the container TechnicalRequirementsType.

func (*TechnicalRequirementsType) Unset

Set the value of a property to nil

type TermInfo

type TermInfo struct {
	// contains filtered or unexported fields
}

func NewTermInfo added in v0.1.0

func NewTermInfo() *TermInfo

Generates a new object as a pointer to a struct

func TermInfoPointer

func TermInfoPointer(value interface{}) (*TermInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TermInfoSlice

func TermInfoSlice() []*TermInfo

Create a slice of pointers to the object type

func (*TermInfo) AttendanceTerm

func (s *TermInfo) AttendanceTerm() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) AttendanceTerm_IsNil

func (s *TermInfo) AttendanceTerm_IsNil() bool

Returns whether the element value for AttendanceTerm is nil in the container TermInfo.

func (*TermInfo) Clone

func (t *TermInfo) Clone() *TermInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TermInfo) Description

func (s *TermInfo) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) Description_IsNil

func (s *TermInfo) Description_IsNil() bool

Returns whether the element value for Description is nil in the container TermInfo.

func (*TermInfo) EndDate

func (s *TermInfo) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) EndDate_IsNil

func (s *TermInfo) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container TermInfo.

func (*TermInfo) LocalCodeList

func (s *TermInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) LocalCodeList_IsNil

func (s *TermInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TermInfo.

func (*TermInfo) MarkingTerm

func (s *TermInfo) MarkingTerm() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) MarkingTerm_IsNil

func (s *TermInfo) MarkingTerm_IsNil() bool

Returns whether the element value for MarkingTerm is nil in the container TermInfo.

func (*TermInfo) RefId

func (s *TermInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) RefId_IsNil

func (s *TermInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TermInfo.

func (*TermInfo) RelativeDuration

func (s *TermInfo) RelativeDuration() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) RelativeDuration_IsNil

func (s *TermInfo) RelativeDuration_IsNil() bool

Returns whether the element value for RelativeDuration is nil in the container TermInfo.

func (*TermInfo) SIF_ExtendedElements

func (s *TermInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) SIF_ExtendedElements_IsNil

func (s *TermInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TermInfo.

func (*TermInfo) SIF_Metadata

func (s *TermInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) SIF_Metadata_IsNil

func (s *TermInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TermInfo.

func (*TermInfo) SchedulingTerm

func (s *TermInfo) SchedulingTerm() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) SchedulingTerm_IsNil

func (s *TermInfo) SchedulingTerm_IsNil() bool

Returns whether the element value for SchedulingTerm is nil in the container TermInfo.

func (*TermInfo) SchoolInfoRefId

func (s *TermInfo) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) SchoolInfoRefId_IsNil

func (s *TermInfo) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TermInfo.

func (*TermInfo) SchoolYear

func (s *TermInfo) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) SchoolYear_IsNil

func (s *TermInfo) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TermInfo.

func (*TermInfo) SetProperties

func (n *TermInfo) SetProperties(props ...Prop) *TermInfo

Set a sequence of properties

func (*TermInfo) SetProperty

func (n *TermInfo) SetProperty(key string, value interface{}) *TermInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TermInfo) StartDate

func (s *TermInfo) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) StartDate_IsNil

func (s *TermInfo) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container TermInfo.

func (*TermInfo) TermCode

func (s *TermInfo) TermCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) TermCode_IsNil

func (s *TermInfo) TermCode_IsNil() bool

Returns whether the element value for TermCode is nil in the container TermInfo.

func (*TermInfo) TermSpan

func (s *TermInfo) TermSpan() *AUCodeSetsSessionTypeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) TermSpan_IsNil

func (s *TermInfo) TermSpan_IsNil() bool

Returns whether the element value for TermSpan is nil in the container TermInfo.

func (*TermInfo) Track

func (s *TermInfo) Track() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TermInfo) Track_IsNil

func (s *TermInfo) Track_IsNil() bool

Returns whether the element value for Track is nil in the container TermInfo.

func (*TermInfo) Unset

func (n *TermInfo) Unset(key string) *TermInfo

Set the value of a property to nil

type TermInfos

type TermInfos struct {
	// contains filtered or unexported fields
}

func NewTermInfos added in v0.1.0

func NewTermInfos() *TermInfos

Generates a new object as a pointer to a struct

func TermInfosPointer added in v0.1.0

func TermInfosPointer(value interface{}) (*TermInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TermInfos) AddNew added in v0.1.0

func (t *TermInfos) AddNew() *TermInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TermInfos) Append added in v0.1.0

func (t *TermInfos) Append(values ...*TermInfo) *TermInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TermInfos) Clone added in v0.1.0

func (t *TermInfos) Clone() *TermInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TermInfos) Index added in v0.1.0

func (t *TermInfos) Index(n int) *TermInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TermInfos) Last added in v0.1.0

func (t *TermInfos) Last() *terminfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TermInfos) Len added in v0.1.0

func (t *TermInfos) Len() int

Length of the list.

func (*TermInfos) ToSlice added in v0.1.0

func (t *TermInfos) ToSlice() []*TermInfo

Convert list object to slice

type TestDisruptionListType

type TestDisruptionListType struct {
	// contains filtered or unexported fields
}

func NewTestDisruptionListType added in v0.1.0

func NewTestDisruptionListType() *TestDisruptionListType

Generates a new object as a pointer to a struct

func TestDisruptionListTypePointer

func TestDisruptionListTypePointer(value interface{}) (*TestDisruptionListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TestDisruptionListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TestDisruptionListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TestDisruptionListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TestDisruptionListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TestDisruptionListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TestDisruptionListType) Len

func (t *TestDisruptionListType) Len() int

Length of the list.

func (*TestDisruptionListType) ToSlice added in v0.1.0

Convert list object to slice

type TestDisruptionType

type TestDisruptionType struct {
	// contains filtered or unexported fields
}

func NewTestDisruptionType added in v0.1.0

func NewTestDisruptionType() *TestDisruptionType

Generates a new object as a pointer to a struct

func TestDisruptionTypePointer

func TestDisruptionTypePointer(value interface{}) (*TestDisruptionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TestDisruptionType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TestDisruptionType) Event

func (s *TestDisruptionType) Event() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TestDisruptionType) Event_IsNil

func (s *TestDisruptionType) Event_IsNil() bool

Returns whether the element value for Event is nil in the container TestDisruptionType.

func (*TestDisruptionType) SetProperties

func (n *TestDisruptionType) SetProperties(props ...Prop) *TestDisruptionType

Set a sequence of properties

func (*TestDisruptionType) SetProperty

func (n *TestDisruptionType) SetProperty(key string, value interface{}) *TestDisruptionType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TestDisruptionType) Unset

Set the value of a property to nil

type TextDataType

type TextDataType struct {
	// contains filtered or unexported fields
}

func NewTextDataType added in v0.1.0

func NewTextDataType() *TextDataType

Generates a new object as a pointer to a struct

func TextDataTypePointer

func TextDataTypePointer(value interface{}) (*TextDataType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TextDataType) Clone

func (t *TextDataType) Clone() *TextDataType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TextDataType) Description

func (s *TextDataType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TextDataType) Description_IsNil

func (s *TextDataType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container TextDataType.

func (*TextDataType) FileName

func (s *TextDataType) FileName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TextDataType) FileName_IsNil

func (s *TextDataType) FileName_IsNil() bool

Returns whether the element value for FileName is nil in the container TextDataType.

func (*TextDataType) MIMEType

func (s *TextDataType) MIMEType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TextDataType) MIMEType_IsNil

func (s *TextDataType) MIMEType_IsNil() bool

Returns whether the element value for MIMEType is nil in the container TextDataType.

func (*TextDataType) SetProperties

func (n *TextDataType) SetProperties(props ...Prop) *TextDataType

Set a sequence of properties

func (*TextDataType) SetProperty

func (n *TextDataType) SetProperty(key string, value interface{}) *TextDataType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TextDataType) Unset

func (n *TextDataType) Unset(key string) *TextDataType

Set the value of a property to nil

func (*TextDataType) Value

func (s *TextDataType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TextDataType) Value_IsNil

func (s *TextDataType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container TextDataType.

type TimeElementListType

type TimeElementListType struct {
	// contains filtered or unexported fields
}

func NewTimeElementListType added in v0.1.0

func NewTimeElementListType() *TimeElementListType

Generates a new object as a pointer to a struct

func TimeElementListTypePointer

func TimeElementListTypePointer(value interface{}) (*TimeElementListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeElementListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeElementListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeElementListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeElementListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TimeElementListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeElementListType) Len

func (t *TimeElementListType) Len() int

Length of the list.

func (*TimeElementListType) ToSlice added in v0.1.0

func (t *TimeElementListType) ToSlice() []*TimeElementType

Convert list object to slice

type TimeElementType

type TimeElementType struct {
	// contains filtered or unexported fields
}

func NewTimeElementType added in v0.1.0

func NewTimeElementType() *TimeElementType

Generates a new object as a pointer to a struct

func TimeElementTypePointer

func TimeElementTypePointer(value interface{}) (*TimeElementType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeElementType) Clone

func (t *TimeElementType) Clone() *TimeElementType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeElementType) EndDateTime

func (s *TimeElementType) EndDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeElementType) EndDateTime_IsNil

func (s *TimeElementType) EndDateTime_IsNil() bool

Returns whether the element value for EndDateTime is nil in the container TimeElementType.

func (*TimeElementType) IsCurrent

func (s *TimeElementType) IsCurrent() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeElementType) IsCurrent_IsNil

func (s *TimeElementType) IsCurrent_IsNil() bool

Returns whether the element value for IsCurrent is nil in the container TimeElementType.

func (*TimeElementType) SetProperties

func (n *TimeElementType) SetProperties(props ...Prop) *TimeElementType

Set a sequence of properties

func (*TimeElementType) SetProperty

func (n *TimeElementType) SetProperty(key string, value interface{}) *TimeElementType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeElementType) SpanGaps

func (s *TimeElementType) SpanGaps() *SpanGapListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeElementType) SpanGaps_IsNil

func (s *TimeElementType) SpanGaps_IsNil() bool

Returns whether the element value for SpanGaps is nil in the container TimeElementType.

func (*TimeElementType) StartDateTime

func (s *TimeElementType) StartDateTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeElementType) StartDateTime_IsNil

func (s *TimeElementType) StartDateTime_IsNil() bool

Returns whether the element value for StartDateTime is nil in the container TimeElementType.

func (*TimeElementType) Unset

func (n *TimeElementType) Unset(key string) *TimeElementType

Set the value of a property to nil

type TimeTable

type TimeTable struct {
	// contains filtered or unexported fields
}

func NewTimeTable added in v0.1.0

func NewTimeTable() *TimeTable

Generates a new object as a pointer to a struct

func TimeTablePointer

func TimeTablePointer(value interface{}) (*TimeTable, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TimeTableSlice

func TimeTableSlice() []*TimeTable

Create a slice of pointers to the object type

func (*TimeTable) Clone

func (t *TimeTable) Clone() *TimeTable

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTable) DaysPerCycle

func (s *TimeTable) DaysPerCycle() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) DaysPerCycle_IsNil

func (s *TimeTable) DaysPerCycle_IsNil() bool

Returns whether the element value for DaysPerCycle is nil in the container TimeTable.

func (*TimeTable) EndDate

func (s *TimeTable) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) EndDate_IsNil

func (s *TimeTable) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container TimeTable.

func (*TimeTable) LocalCodeList

func (s *TimeTable) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) LocalCodeList_IsNil

func (s *TimeTable) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TimeTable.

func (*TimeTable) LocalId

func (s *TimeTable) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) LocalId_IsNil

func (s *TimeTable) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container TimeTable.

func (*TimeTable) PeriodsPerDay

func (s *TimeTable) PeriodsPerDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) PeriodsPerDay_IsNil

func (s *TimeTable) PeriodsPerDay_IsNil() bool

Returns whether the element value for PeriodsPerDay is nil in the container TimeTable.

func (*TimeTable) RefId

func (s *TimeTable) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) RefId_IsNil

func (s *TimeTable) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TimeTable.

func (*TimeTable) SIF_ExtendedElements

func (s *TimeTable) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SIF_ExtendedElements_IsNil

func (s *TimeTable) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TimeTable.

func (*TimeTable) SIF_Metadata

func (s *TimeTable) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SIF_Metadata_IsNil

func (s *TimeTable) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TimeTable.

func (*TimeTable) SchoolInfoRefId

func (s *TimeTable) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SchoolInfoRefId_IsNil

func (s *TimeTable) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TimeTable.

func (*TimeTable) SchoolLocalId

func (s *TimeTable) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SchoolLocalId_IsNil

func (s *TimeTable) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TimeTable.

func (*TimeTable) SchoolName

func (s *TimeTable) SchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SchoolName_IsNil

func (s *TimeTable) SchoolName_IsNil() bool

Returns whether the element value for SchoolName is nil in the container TimeTable.

func (*TimeTable) SchoolYear

func (s *TimeTable) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) SchoolYear_IsNil

func (s *TimeTable) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TimeTable.

func (*TimeTable) SetProperties

func (n *TimeTable) SetProperties(props ...Prop) *TimeTable

Set a sequence of properties

func (*TimeTable) SetProperty

func (n *TimeTable) SetProperty(key string, value interface{}) *TimeTable

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTable) StartDate

func (s *TimeTable) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) StartDate_IsNil

func (s *TimeTable) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container TimeTable.

func (*TimeTable) TeachingPeriodsPerDay

func (s *TimeTable) TeachingPeriodsPerDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) TeachingPeriodsPerDay_IsNil

func (s *TimeTable) TeachingPeriodsPerDay_IsNil() bool

Returns whether the element value for TeachingPeriodsPerDay is nil in the container TimeTable.

func (*TimeTable) TimeTableCreationDate

func (s *TimeTable) TimeTableCreationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) TimeTableCreationDate_IsNil

func (s *TimeTable) TimeTableCreationDate_IsNil() bool

Returns whether the element value for TimeTableCreationDate is nil in the container TimeTable.

func (*TimeTable) TimeTableDayList

func (s *TimeTable) TimeTableDayList() *TimeTableDayListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) TimeTableDayList_IsNil

func (s *TimeTable) TimeTableDayList_IsNil() bool

Returns whether the element value for TimeTableDayList is nil in the container TimeTable.

func (*TimeTable) Title

func (s *TimeTable) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTable) Title_IsNil

func (s *TimeTable) Title_IsNil() bool

Returns whether the element value for Title is nil in the container TimeTable.

func (*TimeTable) Unset

func (n *TimeTable) Unset(key string) *TimeTable

Set the value of a property to nil

type TimeTableCell

type TimeTableCell struct {
	// contains filtered or unexported fields
}

func NewTimeTableCell added in v0.1.0

func NewTimeTableCell() *TimeTableCell

Generates a new object as a pointer to a struct

func TimeTableCellPointer

func TimeTableCellPointer(value interface{}) (*TimeTableCell, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TimeTableCellSlice

func TimeTableCellSlice() []*TimeTableCell

Create a slice of pointers to the object type

func (*TimeTableCell) CellType

func (s *TimeTableCell) CellType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) CellType_IsNil

func (s *TimeTableCell) CellType_IsNil() bool

Returns whether the element value for CellType is nil in the container TimeTableCell.

func (*TimeTableCell) Clone

func (t *TimeTableCell) Clone() *TimeTableCell

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableCell) DayId

func (s *TimeTableCell) DayId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) DayId_IsNil

func (s *TimeTableCell) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container TimeTableCell.

func (*TimeTableCell) LocalCodeList

func (s *TimeTableCell) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) LocalCodeList_IsNil

func (s *TimeTableCell) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TimeTableCell.

func (*TimeTableCell) PeriodId

func (s *TimeTableCell) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) PeriodId_IsNil

func (s *TimeTableCell) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container TimeTableCell.

func (*TimeTableCell) RefId

func (s *TimeTableCell) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) RefId_IsNil

func (s *TimeTableCell) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TimeTableCell.

func (*TimeTableCell) RoomInfoRefId

func (s *TimeTableCell) RoomInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) RoomInfoRefId_IsNil

func (s *TimeTableCell) RoomInfoRefId_IsNil() bool

Returns whether the element value for RoomInfoRefId is nil in the container TimeTableCell.

func (*TimeTableCell) RoomList

func (s *TimeTableCell) RoomList() *RoomListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) RoomList_IsNil

func (s *TimeTableCell) RoomList_IsNil() bool

Returns whether the element value for RoomList is nil in the container TimeTableCell.

func (*TimeTableCell) RoomNumber

func (s *TimeTableCell) RoomNumber() *HomeroomNumberType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) RoomNumber_IsNil

func (s *TimeTableCell) RoomNumber_IsNil() bool

Returns whether the element value for RoomNumber is nil in the container TimeTableCell.

func (*TimeTableCell) SIF_ExtendedElements

func (s *TimeTableCell) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) SIF_ExtendedElements_IsNil

func (s *TimeTableCell) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TimeTableCell.

func (*TimeTableCell) SIF_Metadata

func (s *TimeTableCell) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) SIF_Metadata_IsNil

func (s *TimeTableCell) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TimeTableCell.

func (*TimeTableCell) SchoolInfoRefId

func (s *TimeTableCell) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) SchoolInfoRefId_IsNil

func (s *TimeTableCell) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TimeTableCell.

func (*TimeTableCell) SchoolLocalId

func (s *TimeTableCell) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) SchoolLocalId_IsNil

func (s *TimeTableCell) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TimeTableCell.

func (*TimeTableCell) SetProperties

func (n *TimeTableCell) SetProperties(props ...Prop) *TimeTableCell

Set a sequence of properties

func (*TimeTableCell) SetProperty

func (n *TimeTableCell) SetProperty(key string, value interface{}) *TimeTableCell

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableCell) StaffLocalId

func (s *TimeTableCell) StaffLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) StaffLocalId_IsNil

func (s *TimeTableCell) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container TimeTableCell.

func (*TimeTableCell) StaffPersonalRefId

func (s *TimeTableCell) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) StaffPersonalRefId_IsNil

func (s *TimeTableCell) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container TimeTableCell.

func (*TimeTableCell) SubjectLocalId

func (s *TimeTableCell) SubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) SubjectLocalId_IsNil

func (s *TimeTableCell) SubjectLocalId_IsNil() bool

Returns whether the element value for SubjectLocalId is nil in the container TimeTableCell.

func (*TimeTableCell) TeacherList

func (s *TimeTableCell) TeacherList() *ScheduledTeacherListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TeacherList_IsNil

func (s *TimeTableCell) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container TimeTableCell.

func (*TimeTableCell) TeachingGroupLocalId

func (s *TimeTableCell) TeachingGroupLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TeachingGroupLocalId_IsNil

func (s *TimeTableCell) TeachingGroupLocalId_IsNil() bool

Returns whether the element value for TeachingGroupLocalId is nil in the container TimeTableCell.

func (*TimeTableCell) TeachingGroupRefId

func (s *TimeTableCell) TeachingGroupRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TeachingGroupRefId_IsNil

func (s *TimeTableCell) TeachingGroupRefId_IsNil() bool

Returns whether the element value for TeachingGroupRefId is nil in the container TimeTableCell.

func (*TimeTableCell) TimeTableLocalId

func (s *TimeTableCell) TimeTableLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TimeTableLocalId_IsNil

func (s *TimeTableCell) TimeTableLocalId_IsNil() bool

Returns whether the element value for TimeTableLocalId is nil in the container TimeTableCell.

func (*TimeTableCell) TimeTableRefId

func (s *TimeTableCell) TimeTableRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TimeTableRefId_IsNil

func (s *TimeTableCell) TimeTableRefId_IsNil() bool

Returns whether the element value for TimeTableRefId is nil in the container TimeTableCell.

func (*TimeTableCell) TimeTableSubjectRefId

func (s *TimeTableCell) TimeTableSubjectRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableCell) TimeTableSubjectRefId_IsNil

func (s *TimeTableCell) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container TimeTableCell.

func (*TimeTableCell) Unset

func (n *TimeTableCell) Unset(key string) *TimeTableCell

Set the value of a property to nil

type TimeTableCells

type TimeTableCells struct {
	// contains filtered or unexported fields
}

func NewTimeTableCells added in v0.1.0

func NewTimeTableCells() *TimeTableCells

Generates a new object as a pointer to a struct

func TimeTableCellsPointer added in v0.1.0

func TimeTableCellsPointer(value interface{}) (*TimeTableCells, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableCells) AddNew added in v0.1.0

func (t *TimeTableCells) AddNew() *TimeTableCells

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableCells) Append added in v0.1.0

func (t *TimeTableCells) Append(values ...*TimeTableCell) *TimeTableCells

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableCells) Clone added in v0.1.0

func (t *TimeTableCells) Clone() *TimeTableCells

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableCells) Index added in v0.1.0

func (t *TimeTableCells) Index(n int) *TimeTableCell

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TimeTableCells) Last added in v0.1.0

func (t *TimeTableCells) Last() *timetablecell

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableCells) Len added in v0.1.0

func (t *TimeTableCells) Len() int

Length of the list.

func (*TimeTableCells) ToSlice added in v0.1.0

func (t *TimeTableCells) ToSlice() []*TimeTableCell

Convert list object to slice

type TimeTableChangeReasonListType

type TimeTableChangeReasonListType struct {
	// contains filtered or unexported fields
}

func NewTimeTableChangeReasonListType added in v0.1.0

func NewTimeTableChangeReasonListType() *TimeTableChangeReasonListType

Generates a new object as a pointer to a struct

func TimeTableChangeReasonListTypePointer

func TimeTableChangeReasonListTypePointer(value interface{}) (*TimeTableChangeReasonListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableChangeReasonListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableChangeReasonListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableChangeReasonListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableChangeReasonListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TimeTableChangeReasonListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableChangeReasonListType) Len

Length of the list.

func (*TimeTableChangeReasonListType) ToSlice added in v0.1.0

Convert list object to slice

type TimeTableChangeReasonType

type TimeTableChangeReasonType struct {
	// contains filtered or unexported fields
}

func NewTimeTableChangeReasonType added in v0.1.0

func NewTimeTableChangeReasonType() *TimeTableChangeReasonType

Generates a new object as a pointer to a struct

func TimeTableChangeReasonTypePointer

func TimeTableChangeReasonTypePointer(value interface{}) (*TimeTableChangeReasonType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableChangeReasonType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableChangeReasonType) SetProperties

func (n *TimeTableChangeReasonType) SetProperties(props ...Prop) *TimeTableChangeReasonType

Set a sequence of properties

func (*TimeTableChangeReasonType) SetProperty

func (n *TimeTableChangeReasonType) SetProperty(key string, value interface{}) *TimeTableChangeReasonType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableChangeReasonType) TimeTableChangeNotes

func (s *TimeTableChangeReasonType) TimeTableChangeNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableChangeReasonType) TimeTableChangeNotes_IsNil

func (s *TimeTableChangeReasonType) TimeTableChangeNotes_IsNil() bool

Returns whether the element value for TimeTableChangeNotes is nil in the container TimeTableChangeReasonType.

func (*TimeTableChangeReasonType) TimeTableChangeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableChangeReasonType) TimeTableChangeType_IsNil

func (s *TimeTableChangeReasonType) TimeTableChangeType_IsNil() bool

Returns whether the element value for TimeTableChangeType is nil in the container TimeTableChangeReasonType.

func (*TimeTableChangeReasonType) Unset

Set the value of a property to nil

type TimeTableContainer

type TimeTableContainer struct {
	// contains filtered or unexported fields
}

func NewTimeTableContainer added in v0.1.0

func NewTimeTableContainer() *TimeTableContainer

Generates a new object as a pointer to a struct

func TimeTableContainerPointer

func TimeTableContainerPointer(value interface{}) (*TimeTableContainer, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TimeTableContainerSlice

func TimeTableContainerSlice() []*TimeTableContainer

Create a slice of pointers to the object type

func (*TimeTableContainer) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableContainer) LocalCodeList

func (s *TimeTableContainer) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) LocalCodeList_IsNil

func (s *TimeTableContainer) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TimeTableContainer.

func (*TimeTableContainer) RefId

func (s *TimeTableContainer) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) RefId_IsNil

func (s *TimeTableContainer) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TimeTableContainer.

func (*TimeTableContainer) SIF_ExtendedElements

func (s *TimeTableContainer) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) SIF_ExtendedElements_IsNil

func (s *TimeTableContainer) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TimeTableContainer.

func (*TimeTableContainer) SIF_Metadata

func (s *TimeTableContainer) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) SIF_Metadata_IsNil

func (s *TimeTableContainer) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TimeTableContainer.

func (*TimeTableContainer) SetProperties

func (n *TimeTableContainer) SetProperties(props ...Prop) *TimeTableContainer

Set a sequence of properties

func (*TimeTableContainer) SetProperty

func (n *TimeTableContainer) SetProperty(key string, value interface{}) *TimeTableContainer

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableContainer) TeachingGroupScheduleList

func (s *TimeTableContainer) TeachingGroupScheduleList() *TeachingGroupScheduleType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) TeachingGroupScheduleList_IsNil

func (s *TimeTableContainer) TeachingGroupScheduleList_IsNil() bool

Returns whether the element value for TeachingGroupScheduleList is nil in the container TimeTableContainer.

func (*TimeTableContainer) TimeTableSchedule

func (s *TimeTableContainer) TimeTableSchedule() *TimeTableScheduleType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) TimeTableScheduleCellList

func (s *TimeTableContainer) TimeTableScheduleCellList() *TimeTableScheduleCellListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableContainer) TimeTableScheduleCellList_IsNil

func (s *TimeTableContainer) TimeTableScheduleCellList_IsNil() bool

Returns whether the element value for TimeTableScheduleCellList is nil in the container TimeTableContainer.

func (*TimeTableContainer) TimeTableSchedule_IsNil

func (s *TimeTableContainer) TimeTableSchedule_IsNil() bool

Returns whether the element value for TimeTableSchedule is nil in the container TimeTableContainer.

func (*TimeTableContainer) Unset

Set the value of a property to nil

type TimeTableContainers

type TimeTableContainers struct {
	// contains filtered or unexported fields
}

func NewTimeTableContainers added in v0.1.0

func NewTimeTableContainers() *TimeTableContainers

Generates a new object as a pointer to a struct

func TimeTableContainersPointer added in v0.1.0

func TimeTableContainersPointer(value interface{}) (*TimeTableContainers, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableContainers) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableContainers) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableContainers) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableContainers) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TimeTableContainers) Last added in v0.1.0

func (t *TimeTableContainers) Last() *timetablecontainer

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableContainers) Len added in v0.1.0

func (t *TimeTableContainers) Len() int

Length of the list.

func (*TimeTableContainers) ToSlice added in v0.1.0

func (t *TimeTableContainers) ToSlice() []*TimeTableContainer

Convert list object to slice

type TimeTableDayListType

type TimeTableDayListType struct {
	// contains filtered or unexported fields
}

func NewTimeTableDayListType added in v0.1.0

func NewTimeTableDayListType() *TimeTableDayListType

Generates a new object as a pointer to a struct

func TimeTableDayListTypePointer

func TimeTableDayListTypePointer(value interface{}) (*TimeTableDayListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableDayListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableDayListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableDayListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableDayListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TimeTableDayListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableDayListType) Len

func (t *TimeTableDayListType) Len() int

Length of the list.

func (*TimeTableDayListType) ToSlice added in v0.1.0

func (t *TimeTableDayListType) ToSlice() []*TimeTableDayType

Convert list object to slice

type TimeTableDayType

type TimeTableDayType struct {
	// contains filtered or unexported fields
}

func NewTimeTableDayType added in v0.1.0

func NewTimeTableDayType() *TimeTableDayType

Generates a new object as a pointer to a struct

func TimeTableDayTypePointer

func TimeTableDayTypePointer(value interface{}) (*TimeTableDayType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableDayType) Clone

func (t *TimeTableDayType) Clone() *TimeTableDayType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableDayType) DayId

func (s *TimeTableDayType) DayId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableDayType) DayId_IsNil

func (s *TimeTableDayType) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container TimeTableDayType.

func (*TimeTableDayType) DayTitle

func (s *TimeTableDayType) DayTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableDayType) DayTitle_IsNil

func (s *TimeTableDayType) DayTitle_IsNil() bool

Returns whether the element value for DayTitle is nil in the container TimeTableDayType.

func (*TimeTableDayType) SetProperties

func (n *TimeTableDayType) SetProperties(props ...Prop) *TimeTableDayType

Set a sequence of properties

func (*TimeTableDayType) SetProperty

func (n *TimeTableDayType) SetProperty(key string, value interface{}) *TimeTableDayType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableDayType) TimeTablePeriodList

func (s *TimeTableDayType) TimeTablePeriodList() *TimeTablePeriodListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableDayType) TimeTablePeriodList_IsNil

func (s *TimeTableDayType) TimeTablePeriodList_IsNil() bool

Returns whether the element value for TimeTablePeriodList is nil in the container TimeTableDayType.

func (*TimeTableDayType) Unset

func (n *TimeTableDayType) Unset(key string) *TimeTableDayType

Set the value of a property to nil

type TimeTablePeriodListType

type TimeTablePeriodListType struct {
	// contains filtered or unexported fields
}

func NewTimeTablePeriodListType added in v0.1.0

func NewTimeTablePeriodListType() *TimeTablePeriodListType

Generates a new object as a pointer to a struct

func TimeTablePeriodListTypePointer

func TimeTablePeriodListTypePointer(value interface{}) (*TimeTablePeriodListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTablePeriodListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTablePeriodListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTablePeriodListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTablePeriodListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TimeTablePeriodListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTablePeriodListType) Len

func (t *TimeTablePeriodListType) Len() int

Length of the list.

func (*TimeTablePeriodListType) ToSlice added in v0.1.0

Convert list object to slice

type TimeTablePeriodType

type TimeTablePeriodType struct {
	// contains filtered or unexported fields
}

func NewTimeTablePeriodType added in v0.1.0

func NewTimeTablePeriodType() *TimeTablePeriodType

Generates a new object as a pointer to a struct

func TimeTablePeriodTypePointer

func TimeTablePeriodTypePointer(value interface{}) (*TimeTablePeriodType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTablePeriodType) BellPeriod

func (s *TimeTablePeriodType) BellPeriod() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) BellPeriod_IsNil

func (s *TimeTablePeriodType) BellPeriod_IsNil() bool

Returns whether the element value for BellPeriod is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTablePeriodType) EndTime

func (s *TimeTablePeriodType) EndTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) EndTime_IsNil

func (s *TimeTablePeriodType) EndTime_IsNil() bool

Returns whether the element value for EndTime is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) InstructionalMinutes

func (s *TimeTablePeriodType) InstructionalMinutes() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) InstructionalMinutes_IsNil

func (s *TimeTablePeriodType) InstructionalMinutes_IsNil() bool

Returns whether the element value for InstructionalMinutes is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) PeriodId

func (s *TimeTablePeriodType) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) PeriodId_IsNil

func (s *TimeTablePeriodType) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) PeriodTitle

func (s *TimeTablePeriodType) PeriodTitle() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) PeriodTitle_IsNil

func (s *TimeTablePeriodType) PeriodTitle_IsNil() bool

Returns whether the element value for PeriodTitle is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) RegularSchoolPeriod

func (s *TimeTablePeriodType) RegularSchoolPeriod() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) RegularSchoolPeriod_IsNil

func (s *TimeTablePeriodType) RegularSchoolPeriod_IsNil() bool

Returns whether the element value for RegularSchoolPeriod is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) SetProperties

func (n *TimeTablePeriodType) SetProperties(props ...Prop) *TimeTablePeriodType

Set a sequence of properties

func (*TimeTablePeriodType) SetProperty

func (n *TimeTablePeriodType) SetProperty(key string, value interface{}) *TimeTablePeriodType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTablePeriodType) StartTime

func (s *TimeTablePeriodType) StartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) StartTime_IsNil

func (s *TimeTablePeriodType) StartTime_IsNil() bool

Returns whether the element value for StartTime is nil in the container TimeTablePeriodType.

func (*TimeTablePeriodType) Unset

Set the value of a property to nil

func (*TimeTablePeriodType) UseInAttendanceCalculations

func (s *TimeTablePeriodType) UseInAttendanceCalculations() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTablePeriodType) UseInAttendanceCalculations_IsNil

func (s *TimeTablePeriodType) UseInAttendanceCalculations_IsNil() bool

Returns whether the element value for UseInAttendanceCalculations is nil in the container TimeTablePeriodType.

type TimeTableScheduleCellListType

type TimeTableScheduleCellListType struct {
	// contains filtered or unexported fields
}

func NewTimeTableScheduleCellListType added in v0.1.0

func NewTimeTableScheduleCellListType() *TimeTableScheduleCellListType

Generates a new object as a pointer to a struct

func TimeTableScheduleCellListTypePointer

func TimeTableScheduleCellListTypePointer(value interface{}) (*TimeTableScheduleCellListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableScheduleCellListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableScheduleCellListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableScheduleCellListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableScheduleCellListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*TimeTableScheduleCellListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableScheduleCellListType) Len

Length of the list.

func (*TimeTableScheduleCellListType) ToSlice added in v0.1.0

Convert list object to slice

type TimeTableScheduleCellType

type TimeTableScheduleCellType struct {
	// contains filtered or unexported fields
}

func NewTimeTableScheduleCellType added in v0.1.0

func NewTimeTableScheduleCellType() *TimeTableScheduleCellType

Generates a new object as a pointer to a struct

func TimeTableScheduleCellTypePointer

func TimeTableScheduleCellTypePointer(value interface{}) (*TimeTableScheduleCellType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableScheduleCellType) CellType

func (s *TimeTableScheduleCellType) CellType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) CellType_IsNil

func (s *TimeTableScheduleCellType) CellType_IsNil() bool

Returns whether the element value for CellType is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableScheduleCellType) DayId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) DayId_IsNil

func (s *TimeTableScheduleCellType) DayId_IsNil() bool

Returns whether the element value for DayId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) PeriodId

func (s *TimeTableScheduleCellType) PeriodId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) PeriodId_IsNil

func (s *TimeTableScheduleCellType) PeriodId_IsNil() bool

Returns whether the element value for PeriodId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) RoomInfoRefId

func (s *TimeTableScheduleCellType) RoomInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) RoomInfoRefId_IsNil

func (s *TimeTableScheduleCellType) RoomInfoRefId_IsNil() bool

Returns whether the element value for RoomInfoRefId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) RoomList

func (s *TimeTableScheduleCellType) RoomList() *RoomListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) RoomList_IsNil

func (s *TimeTableScheduleCellType) RoomList_IsNil() bool

Returns whether the element value for RoomList is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) RoomNumber

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) RoomNumber_IsNil

func (s *TimeTableScheduleCellType) RoomNumber_IsNil() bool

Returns whether the element value for RoomNumber is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) SchoolInfoRefId

func (s *TimeTableScheduleCellType) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) SchoolInfoRefId_IsNil

func (s *TimeTableScheduleCellType) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) SchoolLocalId

func (s *TimeTableScheduleCellType) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) SchoolLocalId_IsNil

func (s *TimeTableScheduleCellType) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) SetProperties

func (n *TimeTableScheduleCellType) SetProperties(props ...Prop) *TimeTableScheduleCellType

Set a sequence of properties

func (*TimeTableScheduleCellType) SetProperty

func (n *TimeTableScheduleCellType) SetProperty(key string, value interface{}) *TimeTableScheduleCellType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableScheduleCellType) StaffLocalId

func (s *TimeTableScheduleCellType) StaffLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) StaffLocalId_IsNil

func (s *TimeTableScheduleCellType) StaffLocalId_IsNil() bool

Returns whether the element value for StaffLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) StaffPersonalRefId

func (s *TimeTableScheduleCellType) StaffPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) StaffPersonalRefId_IsNil

func (s *TimeTableScheduleCellType) StaffPersonalRefId_IsNil() bool

Returns whether the element value for StaffPersonalRefId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) SubjectLocalId

func (s *TimeTableScheduleCellType) SubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) SubjectLocalId_IsNil

func (s *TimeTableScheduleCellType) SubjectLocalId_IsNil() bool

Returns whether the element value for SubjectLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TeacherList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TeacherList_IsNil

func (s *TimeTableScheduleCellType) TeacherList_IsNil() bool

Returns whether the element value for TeacherList is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TeachingGroupGUID

func (s *TimeTableScheduleCellType) TeachingGroupGUID() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TeachingGroupGUID_IsNil

func (s *TimeTableScheduleCellType) TeachingGroupGUID_IsNil() bool

Returns whether the element value for TeachingGroupGUID is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TeachingGroupLocalId

func (s *TimeTableScheduleCellType) TeachingGroupLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TeachingGroupLocalId_IsNil

func (s *TimeTableScheduleCellType) TeachingGroupLocalId_IsNil() bool

Returns whether the element value for TeachingGroupLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TimeTableLocalId

func (s *TimeTableScheduleCellType) TimeTableLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TimeTableLocalId_IsNil

func (s *TimeTableScheduleCellType) TimeTableLocalId_IsNil() bool

Returns whether the element value for TimeTableLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TimeTableScheduleCellLocalId

func (s *TimeTableScheduleCellType) TimeTableScheduleCellLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TimeTableScheduleCellLocalId_IsNil

func (s *TimeTableScheduleCellType) TimeTableScheduleCellLocalId_IsNil() bool

Returns whether the element value for TimeTableScheduleCellLocalId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) TimeTableSubjectRefId

func (s *TimeTableScheduleCellType) TimeTableSubjectRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleCellType) TimeTableSubjectRefId_IsNil

func (s *TimeTableScheduleCellType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container TimeTableScheduleCellType.

func (*TimeTableScheduleCellType) Unset

Set the value of a property to nil

type TimeTableScheduleType

type TimeTableScheduleType struct {
	// contains filtered or unexported fields
}

func NewTimeTableScheduleType added in v0.1.0

func NewTimeTableScheduleType() *TimeTableScheduleType

Generates a new object as a pointer to a struct

func TimeTableScheduleTypePointer

func TimeTableScheduleTypePointer(value interface{}) (*TimeTableScheduleType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableScheduleType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableScheduleType) DaysPerCycle

func (s *TimeTableScheduleType) DaysPerCycle() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) DaysPerCycle_IsNil

func (s *TimeTableScheduleType) DaysPerCycle_IsNil() bool

Returns whether the element value for DaysPerCycle is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) EndDate

func (s *TimeTableScheduleType) EndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) EndDate_IsNil

func (s *TimeTableScheduleType) EndDate_IsNil() bool

Returns whether the element value for EndDate is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) LocalId

func (s *TimeTableScheduleType) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) LocalId_IsNil

func (s *TimeTableScheduleType) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) PeriodsPerDay

func (s *TimeTableScheduleType) PeriodsPerDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) PeriodsPerDay_IsNil

func (s *TimeTableScheduleType) PeriodsPerDay_IsNil() bool

Returns whether the element value for PeriodsPerDay is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) SchoolInfoRefId

func (s *TimeTableScheduleType) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) SchoolInfoRefId_IsNil

func (s *TimeTableScheduleType) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) SchoolLocalId

func (s *TimeTableScheduleType) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) SchoolLocalId_IsNil

func (s *TimeTableScheduleType) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) SchoolName

func (s *TimeTableScheduleType) SchoolName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) SchoolName_IsNil

func (s *TimeTableScheduleType) SchoolName_IsNil() bool

Returns whether the element value for SchoolName is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) SchoolYear

func (s *TimeTableScheduleType) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) SchoolYear_IsNil

func (s *TimeTableScheduleType) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) SetProperties

func (n *TimeTableScheduleType) SetProperties(props ...Prop) *TimeTableScheduleType

Set a sequence of properties

func (*TimeTableScheduleType) SetProperty

func (n *TimeTableScheduleType) SetProperty(key string, value interface{}) *TimeTableScheduleType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableScheduleType) StartDate

func (s *TimeTableScheduleType) StartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) StartDate_IsNil

func (s *TimeTableScheduleType) StartDate_IsNil() bool

Returns whether the element value for StartDate is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) TeachingPeriodsPerDay

func (s *TimeTableScheduleType) TeachingPeriodsPerDay() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) TeachingPeriodsPerDay_IsNil

func (s *TimeTableScheduleType) TeachingPeriodsPerDay_IsNil() bool

Returns whether the element value for TeachingPeriodsPerDay is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) TimeTableCreationDate

func (s *TimeTableScheduleType) TimeTableCreationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) TimeTableCreationDate_IsNil

func (s *TimeTableScheduleType) TimeTableCreationDate_IsNil() bool

Returns whether the element value for TimeTableCreationDate is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) TimeTableDayList

func (s *TimeTableScheduleType) TimeTableDayList() *TimeTableDayListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) TimeTableDayList_IsNil

func (s *TimeTableScheduleType) TimeTableDayList_IsNil() bool

Returns whether the element value for TimeTableDayList is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) Title

func (s *TimeTableScheduleType) Title() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableScheduleType) Title_IsNil

func (s *TimeTableScheduleType) Title_IsNil() bool

Returns whether the element value for Title is nil in the container TimeTableScheduleType.

func (*TimeTableScheduleType) Unset

Set the value of a property to nil

type TimeTableSubject

type TimeTableSubject struct {
	// contains filtered or unexported fields
}

func NewTimeTableSubject added in v0.1.0

func NewTimeTableSubject() *TimeTableSubject

Generates a new object as a pointer to a struct

func TimeTableSubjectPointer

func TimeTableSubjectPointer(value interface{}) (*TimeTableSubject, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func TimeTableSubjectSlice

func TimeTableSubjectSlice() []*TimeTableSubject

Create a slice of pointers to the object type

func (*TimeTableSubject) AcademicYear

func (s *TimeTableSubject) AcademicYear() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) AcademicYearRange

func (s *TimeTableSubject) AcademicYearRange() *YearRangeType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) AcademicYearRange_IsNil

func (s *TimeTableSubject) AcademicYearRange_IsNil() bool

Returns whether the element value for AcademicYearRange is nil in the container TimeTableSubject.

func (*TimeTableSubject) AcademicYear_IsNil

func (s *TimeTableSubject) AcademicYear_IsNil() bool

Returns whether the element value for AcademicYear is nil in the container TimeTableSubject.

func (*TimeTableSubject) Clone

func (t *TimeTableSubject) Clone() *TimeTableSubject

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableSubject) CourseLocalId

func (s *TimeTableSubject) CourseLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) CourseLocalId_IsNil

func (s *TimeTableSubject) CourseLocalId_IsNil() bool

Returns whether the element value for CourseLocalId is nil in the container TimeTableSubject.

func (*TimeTableSubject) Faculty

func (s *TimeTableSubject) Faculty() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) Faculty_IsNil

func (s *TimeTableSubject) Faculty_IsNil() bool

Returns whether the element value for Faculty is nil in the container TimeTableSubject.

func (*TimeTableSubject) LocalCodeList

func (s *TimeTableSubject) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) LocalCodeList_IsNil

func (s *TimeTableSubject) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container TimeTableSubject.

func (*TimeTableSubject) OtherCodeList

func (s *TimeTableSubject) OtherCodeList() *OtherCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) OtherCodeList_IsNil

func (s *TimeTableSubject) OtherCodeList_IsNil() bool

Returns whether the element value for OtherCodeList is nil in the container TimeTableSubject.

func (*TimeTableSubject) ProposedMaxClassSize

func (s *TimeTableSubject) ProposedMaxClassSize() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) ProposedMaxClassSize_IsNil

func (s *TimeTableSubject) ProposedMaxClassSize_IsNil() bool

Returns whether the element value for ProposedMaxClassSize is nil in the container TimeTableSubject.

func (*TimeTableSubject) ProposedMinClassSize

func (s *TimeTableSubject) ProposedMinClassSize() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) ProposedMinClassSize_IsNil

func (s *TimeTableSubject) ProposedMinClassSize_IsNil() bool

Returns whether the element value for ProposedMinClassSize is nil in the container TimeTableSubject.

func (*TimeTableSubject) RefId

func (s *TimeTableSubject) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) RefId_IsNil

func (s *TimeTableSubject) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container TimeTableSubject.

func (*TimeTableSubject) SIF_ExtendedElements

func (s *TimeTableSubject) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SIF_ExtendedElements_IsNil

func (s *TimeTableSubject) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container TimeTableSubject.

func (*TimeTableSubject) SIF_Metadata

func (s *TimeTableSubject) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SIF_Metadata_IsNil

func (s *TimeTableSubject) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container TimeTableSubject.

func (*TimeTableSubject) SchoolCourseInfoRefId

func (s *TimeTableSubject) SchoolCourseInfoRefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SchoolCourseInfoRefId_IsNil

func (s *TimeTableSubject) SchoolCourseInfoRefId_IsNil() bool

Returns whether the element value for SchoolCourseInfoRefId is nil in the container TimeTableSubject.

func (*TimeTableSubject) SchoolInfoRefId

func (s *TimeTableSubject) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SchoolInfoRefId_IsNil

func (s *TimeTableSubject) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container TimeTableSubject.

func (*TimeTableSubject) SchoolLocalId

func (s *TimeTableSubject) SchoolLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SchoolLocalId_IsNil

func (s *TimeTableSubject) SchoolLocalId_IsNil() bool

Returns whether the element value for SchoolLocalId is nil in the container TimeTableSubject.

func (*TimeTableSubject) SchoolYear

func (s *TimeTableSubject) SchoolYear() *SchoolYearType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SchoolYear_IsNil

func (s *TimeTableSubject) SchoolYear_IsNil() bool

Returns whether the element value for SchoolYear is nil in the container TimeTableSubject.

func (*TimeTableSubject) Semester

func (s *TimeTableSubject) Semester() *Int

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) Semester_IsNil

func (s *TimeTableSubject) Semester_IsNil() bool

Returns whether the element value for Semester is nil in the container TimeTableSubject.

func (*TimeTableSubject) SetProperties

func (n *TimeTableSubject) SetProperties(props ...Prop) *TimeTableSubject

Set a sequence of properties

func (*TimeTableSubject) SetProperty

func (n *TimeTableSubject) SetProperty(key string, value interface{}) *TimeTableSubject

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableSubject) SubjectLocalId

func (s *TimeTableSubject) SubjectLocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SubjectLocalId_IsNil

func (s *TimeTableSubject) SubjectLocalId_IsNil() bool

Returns whether the element value for SubjectLocalId is nil in the container TimeTableSubject.

func (*TimeTableSubject) SubjectLongName

func (s *TimeTableSubject) SubjectLongName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SubjectLongName_IsNil

func (s *TimeTableSubject) SubjectLongName_IsNil() bool

Returns whether the element value for SubjectLongName is nil in the container TimeTableSubject.

func (*TimeTableSubject) SubjectShortName

func (s *TimeTableSubject) SubjectShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SubjectShortName_IsNil

func (s *TimeTableSubject) SubjectShortName_IsNil() bool

Returns whether the element value for SubjectShortName is nil in the container TimeTableSubject.

func (*TimeTableSubject) SubjectType

func (s *TimeTableSubject) SubjectType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TimeTableSubject) SubjectType_IsNil

func (s *TimeTableSubject) SubjectType_IsNil() bool

Returns whether the element value for SubjectType is nil in the container TimeTableSubject.

func (*TimeTableSubject) Unset

func (n *TimeTableSubject) Unset(key string) *TimeTableSubject

Set the value of a property to nil

type TimeTableSubjects

type TimeTableSubjects struct {
	// contains filtered or unexported fields
}

func NewTimeTableSubjects added in v0.1.0

func NewTimeTableSubjects() *TimeTableSubjects

Generates a new object as a pointer to a struct

func TimeTableSubjectsPointer added in v0.1.0

func TimeTableSubjectsPointer(value interface{}) (*TimeTableSubjects, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTableSubjects) AddNew added in v0.1.0

func (t *TimeTableSubjects) AddNew() *TimeTableSubjects

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTableSubjects) Append added in v0.1.0

func (t *TimeTableSubjects) Append(values ...*TimeTableSubject) *TimeTableSubjects

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTableSubjects) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTableSubjects) Index added in v0.1.0

func (t *TimeTableSubjects) Index(n int) *TimeTableSubject

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TimeTableSubjects) Last added in v0.1.0

func (t *TimeTableSubjects) Last() *timetablesubject

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTableSubjects) Len added in v0.1.0

func (t *TimeTableSubjects) Len() int

Length of the list.

func (*TimeTableSubjects) ToSlice added in v0.1.0

func (t *TimeTableSubjects) ToSlice() []*TimeTableSubject

Convert list object to slice

type TimeTables

type TimeTables struct {
	// contains filtered or unexported fields
}

func NewTimeTables added in v0.1.0

func NewTimeTables() *TimeTables

Generates a new object as a pointer to a struct

func TimeTablesPointer added in v0.1.0

func TimeTablesPointer(value interface{}) (*TimeTables, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TimeTables) AddNew added in v0.1.0

func (t *TimeTables) AddNew() *TimeTables

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*TimeTables) Append added in v0.1.0

func (t *TimeTables) Append(values ...*TimeTable) *TimeTables

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TimeTables) Clone added in v0.1.0

func (t *TimeTables) Clone() *TimeTables

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TimeTables) Index added in v0.1.0

func (t *TimeTables) Index(n int) *TimeTable

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*TimeTables) Last added in v0.1.0

func (t *TimeTables) Last() *timetable

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*TimeTables) Len added in v0.1.0

func (t *TimeTables) Len() int

Length of the list.

func (*TimeTables) ToSlice added in v0.1.0

func (t *TimeTables) ToSlice() []*TimeTable

Convert list object to slice

type TotalEnrollmentsType

type TotalEnrollmentsType struct {
	// contains filtered or unexported fields
}

func NewTotalEnrollmentsType added in v0.1.0

func NewTotalEnrollmentsType() *TotalEnrollmentsType

Generates a new object as a pointer to a struct

func TotalEnrollmentsTypePointer

func TotalEnrollmentsTypePointer(value interface{}) (*TotalEnrollmentsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TotalEnrollmentsType) Boys

func (s *TotalEnrollmentsType) Boys() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TotalEnrollmentsType) Boys_IsNil

func (s *TotalEnrollmentsType) Boys_IsNil() bool

Returns whether the element value for Boys is nil in the container TotalEnrollmentsType.

func (*TotalEnrollmentsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TotalEnrollmentsType) Girls

func (s *TotalEnrollmentsType) Girls() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TotalEnrollmentsType) Girls_IsNil

func (s *TotalEnrollmentsType) Girls_IsNil() bool

Returns whether the element value for Girls is nil in the container TotalEnrollmentsType.

func (*TotalEnrollmentsType) SetProperties

func (n *TotalEnrollmentsType) SetProperties(props ...Prop) *TotalEnrollmentsType

Set a sequence of properties

func (*TotalEnrollmentsType) SetProperty

func (n *TotalEnrollmentsType) SetProperty(key string, value interface{}) *TotalEnrollmentsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TotalEnrollmentsType) TotalStudents

func (s *TotalEnrollmentsType) TotalStudents() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TotalEnrollmentsType) TotalStudents_IsNil

func (s *TotalEnrollmentsType) TotalStudents_IsNil() bool

Returns whether the element value for TotalStudents is nil in the container TotalEnrollmentsType.

func (*TotalEnrollmentsType) Unset

Set the value of a property to nil

type TravelDetailsContainerType

type TravelDetailsContainerType struct {
	// contains filtered or unexported fields
}

func NewTravelDetailsContainerType added in v0.1.0

func NewTravelDetailsContainerType() *TravelDetailsContainerType

Generates a new object as a pointer to a struct

func TravelDetailsContainerTypePointer

func TravelDetailsContainerTypePointer(value interface{}) (*TravelDetailsContainerType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TravelDetailsContainerType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TravelDetailsContainerType) FromSchool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TravelDetailsContainerType) FromSchool_IsNil

func (s *TravelDetailsContainerType) FromSchool_IsNil() bool

Returns whether the element value for FromSchool is nil in the container TravelDetailsContainerType.

func (*TravelDetailsContainerType) SetProperties

func (n *TravelDetailsContainerType) SetProperties(props ...Prop) *TravelDetailsContainerType

Set a sequence of properties

func (*TravelDetailsContainerType) SetProperty

func (n *TravelDetailsContainerType) SetProperty(key string, value interface{}) *TravelDetailsContainerType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TravelDetailsContainerType) ToSchool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TravelDetailsContainerType) ToSchool_IsNil

func (s *TravelDetailsContainerType) ToSchool_IsNil() bool

Returns whether the element value for ToSchool is nil in the container TravelDetailsContainerType.

func (*TravelDetailsContainerType) Unset

Set the value of a property to nil

type TypedIdRefType

type TypedIdRefType struct {
	// contains filtered or unexported fields
}

func NewTypedIdRefType added in v0.1.0

func NewTypedIdRefType() *TypedIdRefType

Generates a new object as a pointer to a struct

func TypedIdRefTypePointer

func TypedIdRefTypePointer(value interface{}) (*TypedIdRefType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*TypedIdRefType) Clone

func (t *TypedIdRefType) Clone() *TypedIdRefType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*TypedIdRefType) SIF_RefObject

func (s *TypedIdRefType) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TypedIdRefType) SIF_RefObject_IsNil

func (s *TypedIdRefType) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container TypedIdRefType.

func (*TypedIdRefType) SetProperties

func (n *TypedIdRefType) SetProperties(props ...Prop) *TypedIdRefType

Set a sequence of properties

func (*TypedIdRefType) SetProperty

func (n *TypedIdRefType) SetProperty(key string, value interface{}) *TypedIdRefType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*TypedIdRefType) Unset

func (n *TypedIdRefType) Unset(key string) *TypedIdRefType

Set the value of a property to nil

func (*TypedIdRefType) Value

func (s *TypedIdRefType) Value() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*TypedIdRefType) Value_IsNil

func (s *TypedIdRefType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container TypedIdRefType.

type URIOrBinaryType

type URIOrBinaryType string

func URIOrBinaryTypePointer

func URIOrBinaryTypePointer(value interface{}) (*URIOrBinaryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches URIOrBinaryType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*URIOrBinaryType) String

func (t *URIOrBinaryType) String() string

Return string value

type ValidLetterMarkListType

type ValidLetterMarkListType struct {
	// contains filtered or unexported fields
}

func NewValidLetterMarkListType added in v0.1.0

func NewValidLetterMarkListType() *ValidLetterMarkListType

Generates a new object as a pointer to a struct

func ValidLetterMarkListTypePointer

func ValidLetterMarkListTypePointer(value interface{}) (*ValidLetterMarkListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ValidLetterMarkListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*ValidLetterMarkListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ValidLetterMarkListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ValidLetterMarkListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*ValidLetterMarkListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*ValidLetterMarkListType) Len

func (t *ValidLetterMarkListType) Len() int

Length of the list.

func (*ValidLetterMarkListType) ToSlice added in v0.1.0

Convert list object to slice

type ValidLetterMarkType

type ValidLetterMarkType struct {
	// contains filtered or unexported fields
}

func NewValidLetterMarkType added in v0.1.0

func NewValidLetterMarkType() *ValidLetterMarkType

Generates a new object as a pointer to a struct

func ValidLetterMarkTypePointer

func ValidLetterMarkTypePointer(value interface{}) (*ValidLetterMarkType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*ValidLetterMarkType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*ValidLetterMarkType) Code

func (s *ValidLetterMarkType) Code() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ValidLetterMarkType) Code_IsNil

func (s *ValidLetterMarkType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container ValidLetterMarkType.

func (*ValidLetterMarkType) Description

func (s *ValidLetterMarkType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ValidLetterMarkType) Description_IsNil

func (s *ValidLetterMarkType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container ValidLetterMarkType.

func (*ValidLetterMarkType) NumericEquivalent

func (s *ValidLetterMarkType) NumericEquivalent() *Float

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*ValidLetterMarkType) NumericEquivalent_IsNil

func (s *ValidLetterMarkType) NumericEquivalent_IsNil() bool

Returns whether the element value for NumericEquivalent is nil in the container ValidLetterMarkType.

func (*ValidLetterMarkType) SetProperties

func (n *ValidLetterMarkType) SetProperties(props ...Prop) *ValidLetterMarkType

Set a sequence of properties

func (*ValidLetterMarkType) SetProperty

func (n *ValidLetterMarkType) SetProperty(key string, value interface{}) *ValidLetterMarkType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*ValidLetterMarkType) Unset

Set the value of a property to nil

type VendorInfo

type VendorInfo struct {
	// contains filtered or unexported fields
}

func NewVendorInfo added in v0.1.0

func NewVendorInfo() *VendorInfo

Generates a new object as a pointer to a struct

func VendorInfoPointer

func VendorInfoPointer(value interface{}) (*VendorInfo, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func VendorInfoSlice

func VendorInfoSlice() []*VendorInfo

Create a slice of pointers to the object type

func (*VendorInfo) ABN

func (s *VendorInfo) ABN() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) ABN_IsNil

func (s *VendorInfo) ABN_IsNil() bool

Returns whether the element value for ABN is nil in the container VendorInfo.

func (*VendorInfo) AccountName

func (s *VendorInfo) AccountName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) AccountName_IsNil

func (s *VendorInfo) AccountName_IsNil() bool

Returns whether the element value for AccountName is nil in the container VendorInfo.

func (*VendorInfo) AccountNumber

func (s *VendorInfo) AccountNumber() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) AccountNumber_IsNil

func (s *VendorInfo) AccountNumber_IsNil() bool

Returns whether the element value for AccountNumber is nil in the container VendorInfo.

func (*VendorInfo) BPay

func (s *VendorInfo) BPay() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) BPay_IsNil

func (s *VendorInfo) BPay_IsNil() bool

Returns whether the element value for BPay is nil in the container VendorInfo.

func (*VendorInfo) BSB

func (s *VendorInfo) BSB() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) BSB_IsNil

func (s *VendorInfo) BSB_IsNil() bool

Returns whether the element value for BSB is nil in the container VendorInfo.

func (*VendorInfo) Clone

func (t *VendorInfo) Clone() *VendorInfo

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*VendorInfo) ContactInfo

func (s *VendorInfo) ContactInfo() *ContactInfoType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) ContactInfo_IsNil

func (s *VendorInfo) ContactInfo_IsNil() bool

Returns whether the element value for ContactInfo is nil in the container VendorInfo.

func (*VendorInfo) CustomerId

func (s *VendorInfo) CustomerId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) CustomerId_IsNil

func (s *VendorInfo) CustomerId_IsNil() bool

Returns whether the element value for CustomerId is nil in the container VendorInfo.

func (*VendorInfo) LocalCodeList

func (s *VendorInfo) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) LocalCodeList_IsNil

func (s *VendorInfo) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container VendorInfo.

func (*VendorInfo) LocalId

func (s *VendorInfo) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) LocalId_IsNil

func (s *VendorInfo) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container VendorInfo.

func (*VendorInfo) Name

func (s *VendorInfo) Name() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) Name_IsNil

func (s *VendorInfo) Name_IsNil() bool

Returns whether the element value for Name is nil in the container VendorInfo.

func (*VendorInfo) PaymentTerms

func (s *VendorInfo) PaymentTerms() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) PaymentTerms_IsNil

func (s *VendorInfo) PaymentTerms_IsNil() bool

Returns whether the element value for PaymentTerms is nil in the container VendorInfo.

func (*VendorInfo) RefId

func (s *VendorInfo) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) RefId_IsNil

func (s *VendorInfo) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container VendorInfo.

func (*VendorInfo) RegisteredForGST

func (s *VendorInfo) RegisteredForGST() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) RegisteredForGST_IsNil

func (s *VendorInfo) RegisteredForGST_IsNil() bool

Returns whether the element value for RegisteredForGST is nil in the container VendorInfo.

func (*VendorInfo) SIF_ExtendedElements

func (s *VendorInfo) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) SIF_ExtendedElements_IsNil

func (s *VendorInfo) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container VendorInfo.

func (*VendorInfo) SIF_Metadata

func (s *VendorInfo) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VendorInfo) SIF_Metadata_IsNil

func (s *VendorInfo) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container VendorInfo.

func (*VendorInfo) SetProperties

func (n *VendorInfo) SetProperties(props ...Prop) *VendorInfo

Set a sequence of properties

func (*VendorInfo) SetProperty

func (n *VendorInfo) SetProperty(key string, value interface{}) *VendorInfo

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*VendorInfo) Unset

func (n *VendorInfo) Unset(key string) *VendorInfo

Set the value of a property to nil

type VendorInfos

type VendorInfos struct {
	// contains filtered or unexported fields
}

func NewVendorInfos added in v0.1.0

func NewVendorInfos() *VendorInfos

Generates a new object as a pointer to a struct

func VendorInfosPointer added in v0.1.0

func VendorInfosPointer(value interface{}) (*VendorInfos, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*VendorInfos) AddNew added in v0.1.0

func (t *VendorInfos) AddNew() *VendorInfos

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*VendorInfos) Append added in v0.1.0

func (t *VendorInfos) Append(values ...*VendorInfo) *VendorInfos

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*VendorInfos) Clone added in v0.1.0

func (t *VendorInfos) Clone() *VendorInfos

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*VendorInfos) Index added in v0.1.0

func (t *VendorInfos) Index(n int) *VendorInfo

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*VendorInfos) Last added in v0.1.0

func (t *VendorInfos) Last() *vendorinfo

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*VendorInfos) Len added in v0.1.0

func (t *VendorInfos) Len() int

Length of the list.

func (*VendorInfos) ToSlice added in v0.1.0

func (t *VendorInfos) ToSlice() []*VendorInfo

Convert list object to slice

type VersionType

type VersionType string

func VersionTypePointer

func VersionTypePointer(value interface{}) (*VersionType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches VersionType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*VersionType) String

func (t *VersionType) String() string

Return string value

type VersionWithWildcardsType

type VersionWithWildcardsType string

func VersionWithWildcardsTypePointer

func VersionWithWildcardsTypePointer(value interface{}) (*VersionWithWildcardsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches VersionWithWildcardsType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*VersionWithWildcardsType) String

func (t *VersionWithWildcardsType) String() string

Return string value

type VisaSubClassCodeType

type VisaSubClassCodeType string

func VisaSubClassCodeTypePointer

func VisaSubClassCodeTypePointer(value interface{}) (*VisaSubClassCodeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches VisaSubClassCodeType. In the case of aliased types, accepts primitive values and converts them to the required alias.

func (*VisaSubClassCodeType) String

func (t *VisaSubClassCodeType) String() string

Return string value

type VisaSubClassListType

type VisaSubClassListType struct {
	// contains filtered or unexported fields
}

func NewVisaSubClassListType added in v0.1.0

func NewVisaSubClassListType() *VisaSubClassListType

Generates a new object as a pointer to a struct

func VisaSubClassListTypePointer

func VisaSubClassListTypePointer(value interface{}) (*VisaSubClassListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*VisaSubClassListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*VisaSubClassListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*VisaSubClassListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*VisaSubClassListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*VisaSubClassListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*VisaSubClassListType) Len

func (t *VisaSubClassListType) Len() int

Length of the list.

func (*VisaSubClassListType) ToSlice added in v0.1.0

func (t *VisaSubClassListType) ToSlice() []*VisaSubClassType

Convert list object to slice

type VisaSubClassType

type VisaSubClassType struct {
	// contains filtered or unexported fields
}

func NewVisaSubClassType added in v0.1.0

func NewVisaSubClassType() *VisaSubClassType

Generates a new object as a pointer to a struct

func VisaSubClassTypePointer

func VisaSubClassTypePointer(value interface{}) (*VisaSubClassType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*VisaSubClassType) ATEExpiryDate

func (s *VisaSubClassType) ATEExpiryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VisaSubClassType) ATEExpiryDate_IsNil

func (s *VisaSubClassType) ATEExpiryDate_IsNil() bool

Returns whether the element value for ATEExpiryDate is nil in the container VisaSubClassType.

func (*VisaSubClassType) ATEStartDate

func (s *VisaSubClassType) ATEStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VisaSubClassType) ATEStartDate_IsNil

func (s *VisaSubClassType) ATEStartDate_IsNil() bool

Returns whether the element value for ATEStartDate is nil in the container VisaSubClassType.

func (*VisaSubClassType) Clone

func (t *VisaSubClassType) Clone() *VisaSubClassType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*VisaSubClassType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VisaSubClassType) Code_IsNil

func (s *VisaSubClassType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container VisaSubClassType.

func (*VisaSubClassType) SetProperties

func (n *VisaSubClassType) SetProperties(props ...Prop) *VisaSubClassType

Set a sequence of properties

func (*VisaSubClassType) SetProperty

func (n *VisaSubClassType) SetProperty(key string, value interface{}) *VisaSubClassType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*VisaSubClassType) Unset

func (n *VisaSubClassType) Unset(key string) *VisaSubClassType

Set the value of a property to nil

func (*VisaSubClassType) VisaExpiryDate

func (s *VisaSubClassType) VisaExpiryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VisaSubClassType) VisaExpiryDate_IsNil

func (s *VisaSubClassType) VisaExpiryDate_IsNil() bool

Returns whether the element value for VisaExpiryDate is nil in the container VisaSubClassType.

func (*VisaSubClassType) VisaStatisticalCode

func (s *VisaSubClassType) VisaStatisticalCode() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*VisaSubClassType) VisaStatisticalCode_IsNil

func (s *VisaSubClassType) VisaStatisticalCode_IsNil() bool

Returns whether the element value for VisaStatisticalCode is nil in the container VisaSubClassType.

type WellbeingAlert

type WellbeingAlert struct {
	// contains filtered or unexported fields
}

func NewWellbeingAlert added in v0.1.0

func NewWellbeingAlert() *WellbeingAlert

Generates a new object as a pointer to a struct

func WellbeingAlertPointer

func WellbeingAlertPointer(value interface{}) (*WellbeingAlert, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingAlertSlice

func WellbeingAlertSlice() []*WellbeingAlert

Create a slice of pointers to the object type

func (*WellbeingAlert) AlertAudience

func (s *WellbeingAlert) AlertAudience() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) AlertAudience_IsNil

func (s *WellbeingAlert) AlertAudience_IsNil() bool

Returns whether the element value for AlertAudience is nil in the container WellbeingAlert.

func (*WellbeingAlert) AlertKeyContact

func (s *WellbeingAlert) AlertKeyContact() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) AlertKeyContact_IsNil

func (s *WellbeingAlert) AlertKeyContact_IsNil() bool

Returns whether the element value for AlertKeyContact is nil in the container WellbeingAlert.

func (*WellbeingAlert) AlertSeverity

func (s *WellbeingAlert) AlertSeverity() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) AlertSeverity_IsNil

func (s *WellbeingAlert) AlertSeverity_IsNil() bool

Returns whether the element value for AlertSeverity is nil in the container WellbeingAlert.

func (*WellbeingAlert) Clone

func (t *WellbeingAlert) Clone() *WellbeingAlert

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingAlert) Date

func (s *WellbeingAlert) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) Date_IsNil

func (s *WellbeingAlert) Date_IsNil() bool

Returns whether the element value for Date is nil in the container WellbeingAlert.

func (*WellbeingAlert) EnrolmentRestricted

func (s *WellbeingAlert) EnrolmentRestricted() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) EnrolmentRestricted_IsNil

func (s *WellbeingAlert) EnrolmentRestricted_IsNil() bool

Returns whether the element value for EnrolmentRestricted is nil in the container WellbeingAlert.

func (*WellbeingAlert) LocalCodeList

func (s *WellbeingAlert) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) LocalCodeList_IsNil

func (s *WellbeingAlert) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingAlert.

func (*WellbeingAlert) LocalId

func (s *WellbeingAlert) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) LocalId_IsNil

func (s *WellbeingAlert) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container WellbeingAlert.

func (*WellbeingAlert) RefId

func (s *WellbeingAlert) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) RefId_IsNil

func (s *WellbeingAlert) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingAlert.

func (*WellbeingAlert) SIF_ExtendedElements

func (s *WellbeingAlert) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) SIF_ExtendedElements_IsNil

func (s *WellbeingAlert) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingAlert.

func (*WellbeingAlert) SIF_Metadata

func (s *WellbeingAlert) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) SIF_Metadata_IsNil

func (s *WellbeingAlert) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingAlert.

func (*WellbeingAlert) SchoolInfoRefId

func (s *WellbeingAlert) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) SchoolInfoRefId_IsNil

func (s *WellbeingAlert) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container WellbeingAlert.

func (*WellbeingAlert) SetProperties

func (n *WellbeingAlert) SetProperties(props ...Prop) *WellbeingAlert

Set a sequence of properties

func (*WellbeingAlert) SetProperty

func (n *WellbeingAlert) SetProperty(key string, value interface{}) *WellbeingAlert

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingAlert) StudentPersonalRefId

func (s *WellbeingAlert) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) StudentPersonalRefId_IsNil

func (s *WellbeingAlert) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container WellbeingAlert.

func (*WellbeingAlert) Unset

func (n *WellbeingAlert) Unset(key string) *WellbeingAlert

Set the value of a property to nil

func (*WellbeingAlert) WellbeingAlertCategory

func (s *WellbeingAlert) WellbeingAlertCategory() *AUCodeSetsWellbeingAlertCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) WellbeingAlertCategory_IsNil

func (s *WellbeingAlert) WellbeingAlertCategory_IsNil() bool

Returns whether the element value for WellbeingAlertCategory is nil in the container WellbeingAlert.

func (*WellbeingAlert) WellbeingAlertDescription

func (s *WellbeingAlert) WellbeingAlertDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) WellbeingAlertDescription_IsNil

func (s *WellbeingAlert) WellbeingAlertDescription_IsNil() bool

Returns whether the element value for WellbeingAlertDescription is nil in the container WellbeingAlert.

func (*WellbeingAlert) WellbeingAlertEndDate

func (s *WellbeingAlert) WellbeingAlertEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) WellbeingAlertEndDate_IsNil

func (s *WellbeingAlert) WellbeingAlertEndDate_IsNil() bool

Returns whether the element value for WellbeingAlertEndDate is nil in the container WellbeingAlert.

func (*WellbeingAlert) WellbeingAlertStartDate

func (s *WellbeingAlert) WellbeingAlertStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAlert) WellbeingAlertStartDate_IsNil

func (s *WellbeingAlert) WellbeingAlertStartDate_IsNil() bool

Returns whether the element value for WellbeingAlertStartDate is nil in the container WellbeingAlert.

type WellbeingAlerts

type WellbeingAlerts struct {
	// contains filtered or unexported fields
}

func NewWellbeingAlerts added in v0.1.0

func NewWellbeingAlerts() *WellbeingAlerts

Generates a new object as a pointer to a struct

func WellbeingAlertsPointer added in v0.1.0

func WellbeingAlertsPointer(value interface{}) (*WellbeingAlerts, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingAlerts) AddNew added in v0.1.0

func (t *WellbeingAlerts) AddNew() *WellbeingAlerts

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingAlerts) Append added in v0.1.0

func (t *WellbeingAlerts) Append(values ...*WellbeingAlert) *WellbeingAlerts

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingAlerts) Clone added in v0.1.0

func (t *WellbeingAlerts) Clone() *WellbeingAlerts

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingAlerts) Index added in v0.1.0

func (t *WellbeingAlerts) Index(n int) *WellbeingAlert

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingAlerts) Last added in v0.1.0

func (t *WellbeingAlerts) Last() *wellbeingalert

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingAlerts) Len added in v0.1.0

func (t *WellbeingAlerts) Len() int

Length of the list.

func (*WellbeingAlerts) ToSlice added in v0.1.0

func (t *WellbeingAlerts) ToSlice() []*WellbeingAlert

Convert list object to slice

type WellbeingAppeal

type WellbeingAppeal struct {
	// contains filtered or unexported fields
}

func NewWellbeingAppeal added in v0.1.0

func NewWellbeingAppeal() *WellbeingAppeal

Generates a new object as a pointer to a struct

func WellbeingAppealPointer

func WellbeingAppealPointer(value interface{}) (*WellbeingAppeal, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingAppealSlice

func WellbeingAppealSlice() []*WellbeingAppeal

Create a slice of pointers to the object type

func (*WellbeingAppeal) AppealNotes

func (s *WellbeingAppeal) AppealNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) AppealNotes_IsNil

func (s *WellbeingAppeal) AppealNotes_IsNil() bool

Returns whether the element value for AppealNotes is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) AppealOutcome

func (s *WellbeingAppeal) AppealOutcome() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) AppealOutcome_IsNil

func (s *WellbeingAppeal) AppealOutcome_IsNil() bool

Returns whether the element value for AppealOutcome is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) AppealStatusCode

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) AppealStatusCode_IsNil

func (s *WellbeingAppeal) AppealStatusCode_IsNil() bool

Returns whether the element value for AppealStatusCode is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) Clone

func (t *WellbeingAppeal) Clone() *WellbeingAppeal

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingAppeal) Date

func (s *WellbeingAppeal) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) Date_IsNil

func (s *WellbeingAppeal) Date_IsNil() bool

Returns whether the element value for Date is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) DocumentList

func (s *WellbeingAppeal) DocumentList() *WellbeingDocumentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) DocumentList_IsNil

func (s *WellbeingAppeal) DocumentList_IsNil() bool

Returns whether the element value for DocumentList is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) LocalAppealId

func (s *WellbeingAppeal) LocalAppealId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) LocalAppealId_IsNil

func (s *WellbeingAppeal) LocalAppealId_IsNil() bool

Returns whether the element value for LocalAppealId is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) LocalCodeList

func (s *WellbeingAppeal) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) LocalCodeList_IsNil

func (s *WellbeingAppeal) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) LocalId

func (s *WellbeingAppeal) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) LocalId_IsNil

func (s *WellbeingAppeal) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) RefId

func (s *WellbeingAppeal) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) RefId_IsNil

func (s *WellbeingAppeal) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) SIF_ExtendedElements

func (s *WellbeingAppeal) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) SIF_ExtendedElements_IsNil

func (s *WellbeingAppeal) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) SIF_Metadata

func (s *WellbeingAppeal) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) SIF_Metadata_IsNil

func (s *WellbeingAppeal) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) SchoolInfoRefId

func (s *WellbeingAppeal) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) SchoolInfoRefId_IsNil

func (s *WellbeingAppeal) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) SetProperties

func (n *WellbeingAppeal) SetProperties(props ...Prop) *WellbeingAppeal

Set a sequence of properties

func (*WellbeingAppeal) SetProperty

func (n *WellbeingAppeal) SetProperty(key string, value interface{}) *WellbeingAppeal

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingAppeal) StudentPersonalRefId

func (s *WellbeingAppeal) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) StudentPersonalRefId_IsNil

func (s *WellbeingAppeal) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container WellbeingAppeal.

func (*WellbeingAppeal) Unset

func (n *WellbeingAppeal) Unset(key string) *WellbeingAppeal

Set the value of a property to nil

func (*WellbeingAppeal) WellbeingResponseRefId

func (s *WellbeingAppeal) WellbeingResponseRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingAppeal) WellbeingResponseRefId_IsNil

func (s *WellbeingAppeal) WellbeingResponseRefId_IsNil() bool

Returns whether the element value for WellbeingResponseRefId is nil in the container WellbeingAppeal.

type WellbeingAppeals

type WellbeingAppeals struct {
	// contains filtered or unexported fields
}

func NewWellbeingAppeals added in v0.1.0

func NewWellbeingAppeals() *WellbeingAppeals

Generates a new object as a pointer to a struct

func WellbeingAppealsPointer added in v0.1.0

func WellbeingAppealsPointer(value interface{}) (*WellbeingAppeals, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingAppeals) AddNew added in v0.1.0

func (t *WellbeingAppeals) AddNew() *WellbeingAppeals

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingAppeals) Append added in v0.1.0

func (t *WellbeingAppeals) Append(values ...*WellbeingAppeal) *WellbeingAppeals

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingAppeals) Clone added in v0.1.0

func (t *WellbeingAppeals) Clone() *WellbeingAppeals

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingAppeals) Index added in v0.1.0

func (t *WellbeingAppeals) Index(n int) *WellbeingAppeal

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingAppeals) Last added in v0.1.0

func (t *WellbeingAppeals) Last() *wellbeingappeal

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingAppeals) Len added in v0.1.0

func (t *WellbeingAppeals) Len() int

Length of the list.

func (*WellbeingAppeals) ToSlice added in v0.1.0

func (t *WellbeingAppeals) ToSlice() []*WellbeingAppeal

Convert list object to slice

type WellbeingCharacteristic

type WellbeingCharacteristic struct {
	// contains filtered or unexported fields
}

func NewWellbeingCharacteristic added in v0.1.0

func NewWellbeingCharacteristic() *WellbeingCharacteristic

Generates a new object as a pointer to a struct

func WellbeingCharacteristicPointer

func WellbeingCharacteristicPointer(value interface{}) (*WellbeingCharacteristic, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingCharacteristicSlice

func WellbeingCharacteristicSlice() []*WellbeingCharacteristic

Create a slice of pointers to the object type

func (*WellbeingCharacteristic) Alert

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) Alert_IsNil

func (s *WellbeingCharacteristic) Alert_IsNil() bool

Returns whether the element value for Alert is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) CharacteristicSeverity

func (s *WellbeingCharacteristic) CharacteristicSeverity() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) CharacteristicSeverity_IsNil

func (s *WellbeingCharacteristic) CharacteristicSeverity_IsNil() bool

Returns whether the element value for CharacteristicSeverity is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingCharacteristic) ConfidentialFlag

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) ConfidentialFlag_IsNil

func (s *WellbeingCharacteristic) ConfidentialFlag_IsNil() bool

Returns whether the element value for ConfidentialFlag is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) DailyManagement

func (s *WellbeingCharacteristic) DailyManagement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) DailyManagement_IsNil

func (s *WellbeingCharacteristic) DailyManagement_IsNil() bool

Returns whether the element value for DailyManagement is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) DocumentList

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) DocumentList_IsNil

func (s *WellbeingCharacteristic) DocumentList_IsNil() bool

Returns whether the element value for DocumentList is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) EmergencyManagement

func (s *WellbeingCharacteristic) EmergencyManagement() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) EmergencyManagement_IsNil

func (s *WellbeingCharacteristic) EmergencyManagement_IsNil() bool

Returns whether the element value for EmergencyManagement is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) EmergencyResponsePlan

func (s *WellbeingCharacteristic) EmergencyResponsePlan() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) EmergencyResponsePlan_IsNil

func (s *WellbeingCharacteristic) EmergencyResponsePlan_IsNil() bool

Returns whether the element value for EmergencyResponsePlan is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) LocalCharacteristicCode

func (s *WellbeingCharacteristic) LocalCharacteristicCode() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) LocalCharacteristicCode_IsNil

func (s *WellbeingCharacteristic) LocalCharacteristicCode_IsNil() bool

Returns whether the element value for LocalCharacteristicCode is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) LocalCodeList

func (s *WellbeingCharacteristic) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) LocalCodeList_IsNil

func (s *WellbeingCharacteristic) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) LocalId

func (s *WellbeingCharacteristic) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) LocalId_IsNil

func (s *WellbeingCharacteristic) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) MedicationList

func (s *WellbeingCharacteristic) MedicationList() *MedicationListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) MedicationList_IsNil

func (s *WellbeingCharacteristic) MedicationList_IsNil() bool

Returns whether the element value for MedicationList is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) PreferredHospital

func (s *WellbeingCharacteristic) PreferredHospital() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) PreferredHospital_IsNil

func (s *WellbeingCharacteristic) PreferredHospital_IsNil() bool

Returns whether the element value for PreferredHospital is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) RefId

func (s *WellbeingCharacteristic) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) RefId_IsNil

func (s *WellbeingCharacteristic) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) SIF_ExtendedElements

func (s *WellbeingCharacteristic) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) SIF_ExtendedElements_IsNil

func (s *WellbeingCharacteristic) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) SIF_Metadata

func (s *WellbeingCharacteristic) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) SIF_Metadata_IsNil

func (s *WellbeingCharacteristic) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) SchoolInfoRefId

func (s *WellbeingCharacteristic) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) SchoolInfoRefId_IsNil

func (s *WellbeingCharacteristic) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) SetProperties

func (n *WellbeingCharacteristic) SetProperties(props ...Prop) *WellbeingCharacteristic

Set a sequence of properties

func (*WellbeingCharacteristic) SetProperty

func (n *WellbeingCharacteristic) SetProperty(key string, value interface{}) *WellbeingCharacteristic

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingCharacteristic) StudentPersonalRefId

func (s *WellbeingCharacteristic) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) StudentPersonalRefId_IsNil

func (s *WellbeingCharacteristic) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) SymptomList

func (s *WellbeingCharacteristic) SymptomList() *SymptomListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) SymptomList_IsNil

func (s *WellbeingCharacteristic) SymptomList_IsNil() bool

Returns whether the element value for SymptomList is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) Trigger

func (s *WellbeingCharacteristic) Trigger() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) Trigger_IsNil

func (s *WellbeingCharacteristic) Trigger_IsNil() bool

Returns whether the element value for Trigger is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) Unset

Set the value of a property to nil

func (*WellbeingCharacteristic) WellbeingCharacteristicCategory

func (s *WellbeingCharacteristic) WellbeingCharacteristicCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicCategory_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicCategory_IsNil() bool

Returns whether the element value for WellbeingCharacteristicCategory is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicClassification

func (s *WellbeingCharacteristic) WellbeingCharacteristicClassification() *AUCodeSetsWellbeingCharacteristicClassificationType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicClassification_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicClassification_IsNil() bool

Returns whether the element value for WellbeingCharacteristicClassification is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicEndDate

func (s *WellbeingCharacteristic) WellbeingCharacteristicEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicEndDate_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicEndDate_IsNil() bool

Returns whether the element value for WellbeingCharacteristicEndDate is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicNotes

func (s *WellbeingCharacteristic) WellbeingCharacteristicNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicNotes_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicNotes_IsNil() bool

Returns whether the element value for WellbeingCharacteristicNotes is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicReviewDate

func (s *WellbeingCharacteristic) WellbeingCharacteristicReviewDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicReviewDate_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicReviewDate_IsNil() bool

Returns whether the element value for WellbeingCharacteristicReviewDate is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicStartDate

func (s *WellbeingCharacteristic) WellbeingCharacteristicStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicStartDate_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicStartDate_IsNil() bool

Returns whether the element value for WellbeingCharacteristicStartDate is nil in the container WellbeingCharacteristic.

func (*WellbeingCharacteristic) WellbeingCharacteristicSubCategory

func (s *WellbeingCharacteristic) WellbeingCharacteristicSubCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingCharacteristic) WellbeingCharacteristicSubCategory_IsNil

func (s *WellbeingCharacteristic) WellbeingCharacteristicSubCategory_IsNil() bool

Returns whether the element value for WellbeingCharacteristicSubCategory is nil in the container WellbeingCharacteristic.

type WellbeingCharacteristics

type WellbeingCharacteristics struct {
	// contains filtered or unexported fields
}

func NewWellbeingCharacteristics added in v0.1.0

func NewWellbeingCharacteristics() *WellbeingCharacteristics

Generates a new object as a pointer to a struct

func WellbeingCharacteristicsPointer added in v0.1.0

func WellbeingCharacteristicsPointer(value interface{}) (*WellbeingCharacteristics, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingCharacteristics) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingCharacteristics) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingCharacteristics) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingCharacteristics) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingCharacteristics) Last added in v0.1.0

func (t *WellbeingCharacteristics) Last() *wellbeingcharacteristic

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingCharacteristics) Len added in v0.1.0

func (t *WellbeingCharacteristics) Len() int

Length of the list.

func (*WellbeingCharacteristics) ToSlice added in v0.1.0

Convert list object to slice

type WellbeingDocumentListType

type WellbeingDocumentListType struct {
	// contains filtered or unexported fields
}

func NewWellbeingDocumentListType added in v0.1.0

func NewWellbeingDocumentListType() *WellbeingDocumentListType

Generates a new object as a pointer to a struct

func WellbeingDocumentListTypePointer

func WellbeingDocumentListTypePointer(value interface{}) (*WellbeingDocumentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingDocumentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingDocumentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingDocumentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingDocumentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*WellbeingDocumentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingDocumentListType) Len

func (t *WellbeingDocumentListType) Len() int

Length of the list.

func (*WellbeingDocumentListType) ToSlice added in v0.1.0

Convert list object to slice

type WellbeingDocumentType

type WellbeingDocumentType struct {
	// contains filtered or unexported fields
}

func NewWellbeingDocumentType added in v0.1.0

func NewWellbeingDocumentType() *WellbeingDocumentType

Generates a new object as a pointer to a struct

func WellbeingDocumentTypePointer

func WellbeingDocumentTypePointer(value interface{}) (*WellbeingDocumentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingDocumentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingDocumentType) DocumentDescription

func (s *WellbeingDocumentType) DocumentDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) DocumentDescription_IsNil

func (s *WellbeingDocumentType) DocumentDescription_IsNil() bool

Returns whether the element value for DocumentDescription is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) DocumentReviewDate

func (s *WellbeingDocumentType) DocumentReviewDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) DocumentReviewDate_IsNil

func (s *WellbeingDocumentType) DocumentReviewDate_IsNil() bool

Returns whether the element value for DocumentReviewDate is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) DocumentType

func (s *WellbeingDocumentType) DocumentType() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) DocumentType_IsNil

func (s *WellbeingDocumentType) DocumentType_IsNil() bool

Returns whether the element value for DocumentType is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) Location

func (s *WellbeingDocumentType) Location() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) Location_IsNil

func (s *WellbeingDocumentType) Location_IsNil() bool

Returns whether the element value for Location is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) Sensitivity

func (s *WellbeingDocumentType) Sensitivity() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) Sensitivity_IsNil

func (s *WellbeingDocumentType) Sensitivity_IsNil() bool

Returns whether the element value for Sensitivity is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) SetProperties

func (n *WellbeingDocumentType) SetProperties(props ...Prop) *WellbeingDocumentType

Set a sequence of properties

func (*WellbeingDocumentType) SetProperty

func (n *WellbeingDocumentType) SetProperty(key string, value interface{}) *WellbeingDocumentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingDocumentType) URL

func (s *WellbeingDocumentType) URL() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingDocumentType) URL_IsNil

func (s *WellbeingDocumentType) URL_IsNil() bool

Returns whether the element value for URL is nil in the container WellbeingDocumentType.

func (*WellbeingDocumentType) Unset

Set the value of a property to nil

type WellbeingEvent

type WellbeingEvent struct {
	// contains filtered or unexported fields
}

func NewWellbeingEvent added in v0.1.0

func NewWellbeingEvent() *WellbeingEvent

Generates a new object as a pointer to a struct

func WellbeingEventPointer

func WellbeingEventPointer(value interface{}) (*WellbeingEvent, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingEventSlice

func WellbeingEventSlice() []*WellbeingEvent

Create a slice of pointers to the object type

func (*WellbeingEvent) Clone

func (t *WellbeingEvent) Clone() *WellbeingEvent

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEvent) ConfidentialFlag

func (s *WellbeingEvent) ConfidentialFlag() *AUCodeSetsYesOrNoCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) ConfidentialFlag_IsNil

func (s *WellbeingEvent) ConfidentialFlag_IsNil() bool

Returns whether the element value for ConfidentialFlag is nil in the container WellbeingEvent.

func (*WellbeingEvent) DocumentList

func (s *WellbeingEvent) DocumentList() *WellbeingDocumentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) DocumentList_IsNil

func (s *WellbeingEvent) DocumentList_IsNil() bool

Returns whether the element value for DocumentList is nil in the container WellbeingEvent.

func (*WellbeingEvent) EventId

func (s *WellbeingEvent) EventId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) EventId_IsNil

func (s *WellbeingEvent) EventId_IsNil() bool

Returns whether the element value for EventId is nil in the container WellbeingEvent.

func (*WellbeingEvent) FollowUpActionList

func (s *WellbeingEvent) FollowUpActionList() *FollowUpActionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) FollowUpActionList_IsNil

func (s *WellbeingEvent) FollowUpActionList_IsNil() bool

Returns whether the element value for FollowUpActionList is nil in the container WellbeingEvent.

func (*WellbeingEvent) GroupIndicator

func (s *WellbeingEvent) GroupIndicator() *Bool

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) GroupIndicator_IsNil

func (s *WellbeingEvent) GroupIndicator_IsNil() bool

Returns whether the element value for GroupIndicator is nil in the container WellbeingEvent.

func (*WellbeingEvent) LocalCodeList

func (s *WellbeingEvent) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) LocalCodeList_IsNil

func (s *WellbeingEvent) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingEvent.

func (*WellbeingEvent) PersonInvolvementList

func (s *WellbeingEvent) PersonInvolvementList() *PersonInvolvementListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) PersonInvolvementList_IsNil

func (s *WellbeingEvent) PersonInvolvementList_IsNil() bool

Returns whether the element value for PersonInvolvementList is nil in the container WellbeingEvent.

func (*WellbeingEvent) RefId

func (s *WellbeingEvent) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) RefId_IsNil

func (s *WellbeingEvent) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingEvent.

func (*WellbeingEvent) ReportingStaffRefId

func (s *WellbeingEvent) ReportingStaffRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) ReportingStaffRefId_IsNil

func (s *WellbeingEvent) ReportingStaffRefId_IsNil() bool

Returns whether the element value for ReportingStaffRefId is nil in the container WellbeingEvent.

func (*WellbeingEvent) SIF_ExtendedElements

func (s *WellbeingEvent) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) SIF_ExtendedElements_IsNil

func (s *WellbeingEvent) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingEvent.

func (*WellbeingEvent) SIF_Metadata

func (s *WellbeingEvent) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) SIF_Metadata_IsNil

func (s *WellbeingEvent) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingEvent.

func (*WellbeingEvent) SchoolInfoRefId

func (s *WellbeingEvent) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) SchoolInfoRefId_IsNil

func (s *WellbeingEvent) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container WellbeingEvent.

func (*WellbeingEvent) SetProperties

func (n *WellbeingEvent) SetProperties(props ...Prop) *WellbeingEvent

Set a sequence of properties

func (*WellbeingEvent) SetProperty

func (n *WellbeingEvent) SetProperty(key string, value interface{}) *WellbeingEvent

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEvent) Status

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) Status_IsNil

func (s *WellbeingEvent) Status_IsNil() bool

Returns whether the element value for Status is nil in the container WellbeingEvent.

func (*WellbeingEvent) StudentPersonalRefId

func (s *WellbeingEvent) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) StudentPersonalRefId_IsNil

func (s *WellbeingEvent) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container WellbeingEvent.

func (*WellbeingEvent) Unset

func (n *WellbeingEvent) Unset(key string) *WellbeingEvent

Set the value of a property to nil

func (*WellbeingEvent) WellbeingEventCategoryClass

func (s *WellbeingEvent) WellbeingEventCategoryClass() *AUCodeSetsWellbeingEventCategoryClassType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventCategoryClass_IsNil

func (s *WellbeingEvent) WellbeingEventCategoryClass_IsNil() bool

Returns whether the element value for WellbeingEventCategoryClass is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventCategoryList

func (s *WellbeingEvent) WellbeingEventCategoryList() *WellbeingEventCategoryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventCategoryList_IsNil

func (s *WellbeingEvent) WellbeingEventCategoryList_IsNil() bool

Returns whether the element value for WellbeingEventCategoryList is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventCreationTimeStamp

func (s *WellbeingEvent) WellbeingEventCreationTimeStamp() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventCreationTimeStamp_IsNil

func (s *WellbeingEvent) WellbeingEventCreationTimeStamp_IsNil() bool

Returns whether the element value for WellbeingEventCreationTimeStamp is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventDate

func (s *WellbeingEvent) WellbeingEventDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventDate_IsNil

func (s *WellbeingEvent) WellbeingEventDate_IsNil() bool

Returns whether the element value for WellbeingEventDate is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventDescription

func (s *WellbeingEvent) WellbeingEventDescription() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventDescription_IsNil

func (s *WellbeingEvent) WellbeingEventDescription_IsNil() bool

Returns whether the element value for WellbeingEventDescription is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventLocationDetails

func (s *WellbeingEvent) WellbeingEventLocationDetails() *WellbeingEventLocationDetailsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventLocationDetails_IsNil

func (s *WellbeingEvent) WellbeingEventLocationDetails_IsNil() bool

Returns whether the element value for WellbeingEventLocationDetails is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventNotes

func (s *WellbeingEvent) WellbeingEventNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventNotes_IsNil

func (s *WellbeingEvent) WellbeingEventNotes_IsNil() bool

Returns whether the element value for WellbeingEventNotes is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventTime

func (s *WellbeingEvent) WellbeingEventTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventTimePeriod

func (s *WellbeingEvent) WellbeingEventTimePeriod() *AUCodeSetsWellbeingEventTimePeriodType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEvent) WellbeingEventTimePeriod_IsNil

func (s *WellbeingEvent) WellbeingEventTimePeriod_IsNil() bool

Returns whether the element value for WellbeingEventTimePeriod is nil in the container WellbeingEvent.

func (*WellbeingEvent) WellbeingEventTime_IsNil

func (s *WellbeingEvent) WellbeingEventTime_IsNil() bool

Returns whether the element value for WellbeingEventTime is nil in the container WellbeingEvent.

type WellbeingEventCategoryListType

type WellbeingEventCategoryListType struct {
	// contains filtered or unexported fields
}

func NewWellbeingEventCategoryListType added in v0.1.0

func NewWellbeingEventCategoryListType() *WellbeingEventCategoryListType

Generates a new object as a pointer to a struct

func WellbeingEventCategoryListTypePointer

func WellbeingEventCategoryListTypePointer(value interface{}) (*WellbeingEventCategoryListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingEventCategoryListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingEventCategoryListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEventCategoryListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEventCategoryListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*WellbeingEventCategoryListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingEventCategoryListType) Len

Length of the list.

func (*WellbeingEventCategoryListType) ToSlice added in v0.1.0

Convert list object to slice

type WellbeingEventCategoryType

type WellbeingEventCategoryType struct {
	// contains filtered or unexported fields
}

func NewWellbeingEventCategoryType added in v0.1.0

func NewWellbeingEventCategoryType() *WellbeingEventCategoryType

Generates a new object as a pointer to a struct

func WellbeingEventCategoryTypePointer

func WellbeingEventCategoryTypePointer(value interface{}) (*WellbeingEventCategoryType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingEventCategoryType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEventCategoryType) EventCategory

func (s *WellbeingEventCategoryType) EventCategory() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEventCategoryType) EventCategory_IsNil

func (s *WellbeingEventCategoryType) EventCategory_IsNil() bool

Returns whether the element value for EventCategory is nil in the container WellbeingEventCategoryType.

func (*WellbeingEventCategoryType) SetProperties

func (n *WellbeingEventCategoryType) SetProperties(props ...Prop) *WellbeingEventCategoryType

Set a sequence of properties

func (*WellbeingEventCategoryType) SetProperty

func (n *WellbeingEventCategoryType) SetProperty(key string, value interface{}) *WellbeingEventCategoryType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEventCategoryType) Unset

Set the value of a property to nil

func (*WellbeingEventCategoryType) WellbeingEventSubCategoryList

func (s *WellbeingEventCategoryType) WellbeingEventSubCategoryList() *WellbeingEventSubCategoryListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEventCategoryType) WellbeingEventSubCategoryList_IsNil

func (s *WellbeingEventCategoryType) WellbeingEventSubCategoryList_IsNil() bool

Returns whether the element value for WellbeingEventSubCategoryList is nil in the container WellbeingEventCategoryType.

type WellbeingEventLocationDetailsType

type WellbeingEventLocationDetailsType struct {
	// contains filtered or unexported fields
}

func NewWellbeingEventLocationDetailsType added in v0.1.0

func NewWellbeingEventLocationDetailsType() *WellbeingEventLocationDetailsType

Generates a new object as a pointer to a struct

func WellbeingEventLocationDetailsTypePointer

func WellbeingEventLocationDetailsTypePointer(value interface{}) (*WellbeingEventLocationDetailsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingEventLocationDetailsType) Class

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEventLocationDetailsType) Class_IsNil

func (s *WellbeingEventLocationDetailsType) Class_IsNil() bool

Returns whether the element value for Class is nil in the container WellbeingEventLocationDetailsType.

func (*WellbeingEventLocationDetailsType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEventLocationDetailsType) EventLocation

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEventLocationDetailsType) EventLocation_IsNil

func (s *WellbeingEventLocationDetailsType) EventLocation_IsNil() bool

Returns whether the element value for EventLocation is nil in the container WellbeingEventLocationDetailsType.

func (*WellbeingEventLocationDetailsType) FurtherLocationNotes

func (s *WellbeingEventLocationDetailsType) FurtherLocationNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingEventLocationDetailsType) FurtherLocationNotes_IsNil

func (s *WellbeingEventLocationDetailsType) FurtherLocationNotes_IsNil() bool

Returns whether the element value for FurtherLocationNotes is nil in the container WellbeingEventLocationDetailsType.

func (*WellbeingEventLocationDetailsType) SetProperties

Set a sequence of properties

func (*WellbeingEventLocationDetailsType) SetProperty

func (n *WellbeingEventLocationDetailsType) SetProperty(key string, value interface{}) *WellbeingEventLocationDetailsType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEventLocationDetailsType) Unset

Set the value of a property to nil

type WellbeingEventSubCategoryListType

type WellbeingEventSubCategoryListType struct {
	// contains filtered or unexported fields
}

func NewWellbeingEventSubCategoryListType added in v0.1.0

func NewWellbeingEventSubCategoryListType() *WellbeingEventSubCategoryListType

Generates a new object as a pointer to a struct

func WellbeingEventSubCategoryListTypePointer

func WellbeingEventSubCategoryListTypePointer(value interface{}) (*WellbeingEventSubCategoryListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingEventSubCategoryListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingEventSubCategoryListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEventSubCategoryListType) AppendString

Append a single string to the list. Only defined for lists of strings or of types aliased to string.

func (*WellbeingEventSubCategoryListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEventSubCategoryListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*WellbeingEventSubCategoryListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingEventSubCategoryListType) Len

Length of the list.

func (*WellbeingEventSubCategoryListType) ToSlice added in v0.1.0

func (t *WellbeingEventSubCategoryListType) ToSlice() []*string

Convert list object to slice

type WellbeingEvents

type WellbeingEvents struct {
	// contains filtered or unexported fields
}

func NewWellbeingEvents added in v0.1.0

func NewWellbeingEvents() *WellbeingEvents

Generates a new object as a pointer to a struct

func WellbeingEventsPointer added in v0.1.0

func WellbeingEventsPointer(value interface{}) (*WellbeingEvents, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingEvents) AddNew added in v0.1.0

func (t *WellbeingEvents) AddNew() *WellbeingEvents

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingEvents) Append added in v0.1.0

func (t *WellbeingEvents) Append(values ...*WellbeingEvent) *WellbeingEvents

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingEvents) Clone added in v0.1.0

func (t *WellbeingEvents) Clone() *WellbeingEvents

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingEvents) Index added in v0.1.0

func (t *WellbeingEvents) Index(n int) *WellbeingEvent

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingEvents) Last added in v0.1.0

func (t *WellbeingEvents) Last() *wellbeingevent

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingEvents) Len added in v0.1.0

func (t *WellbeingEvents) Len() int

Length of the list.

func (*WellbeingEvents) ToSlice added in v0.1.0

func (t *WellbeingEvents) ToSlice() []*WellbeingEvent

Convert list object to slice

type WellbeingPersonLink struct {
	// contains filtered or unexported fields
}
func NewWellbeingPersonLink() *WellbeingPersonLink

Generates a new object as a pointer to a struct

func WellbeingPersonLinkPointer

func WellbeingPersonLinkPointer(value interface{}) (*WellbeingPersonLink, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingPersonLinkSlice

func WellbeingPersonLinkSlice() []*WellbeingPersonLink

Create a slice of pointers to the object type

func (*WellbeingPersonLink) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingPersonLink) FollowUpActionList

func (s *WellbeingPersonLink) FollowUpActionList() *FollowUpActionListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) FollowUpActionList_IsNil

func (s *WellbeingPersonLink) FollowUpActionList_IsNil() bool

Returns whether the element value for FollowUpActionList is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) GroupId

func (s *WellbeingPersonLink) GroupId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) GroupId_IsNil

func (s *WellbeingPersonLink) GroupId_IsNil() bool

Returns whether the element value for GroupId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) HowInvolved

func (s *WellbeingPersonLink) HowInvolved() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) HowInvolved_IsNil

func (s *WellbeingPersonLink) HowInvolved_IsNil() bool

Returns whether the element value for HowInvolved is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) LocalCodeList

func (s *WellbeingPersonLink) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) LocalCodeList_IsNil

func (s *WellbeingPersonLink) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) LocalId

func (s *WellbeingPersonLink) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) LocalId_IsNil

func (s *WellbeingPersonLink) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) OtherPersonContactDetails

func (s *WellbeingPersonLink) OtherPersonContactDetails() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) OtherPersonContactDetails_IsNil

func (s *WellbeingPersonLink) OtherPersonContactDetails_IsNil() bool

Returns whether the element value for OtherPersonContactDetails is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) OtherPersonId

func (s *WellbeingPersonLink) OtherPersonId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) OtherPersonId_IsNil

func (s *WellbeingPersonLink) OtherPersonId_IsNil() bool

Returns whether the element value for OtherPersonId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) PersonRefId

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) PersonRefId_IsNil

func (s *WellbeingPersonLink) PersonRefId_IsNil() bool

Returns whether the element value for PersonRefId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) PersonRole

func (s *WellbeingPersonLink) PersonRole() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) PersonRole_IsNil

func (s *WellbeingPersonLink) PersonRole_IsNil() bool

Returns whether the element value for PersonRole is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) RefId

func (s *WellbeingPersonLink) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) RefId_IsNil

func (s *WellbeingPersonLink) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) SIF_ExtendedElements

func (s *WellbeingPersonLink) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) SIF_ExtendedElements_IsNil

func (s *WellbeingPersonLink) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) SIF_Metadata

func (s *WellbeingPersonLink) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) SIF_Metadata_IsNil

func (s *WellbeingPersonLink) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) SetProperties

func (n *WellbeingPersonLink) SetProperties(props ...Prop) *WellbeingPersonLink

Set a sequence of properties

func (*WellbeingPersonLink) SetProperty

func (n *WellbeingPersonLink) SetProperty(key string, value interface{}) *WellbeingPersonLink

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingPersonLink) ShortName

func (s *WellbeingPersonLink) ShortName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) ShortName_IsNil

func (s *WellbeingPersonLink) ShortName_IsNil() bool

Returns whether the element value for ShortName is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) Unset

Set the value of a property to nil

func (*WellbeingPersonLink) WellbeingEventRefId

func (s *WellbeingPersonLink) WellbeingEventRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) WellbeingEventRefId_IsNil

func (s *WellbeingPersonLink) WellbeingEventRefId_IsNil() bool

Returns whether the element value for WellbeingEventRefId is nil in the container WellbeingPersonLink.

func (*WellbeingPersonLink) WellbeingResponseRefId

func (s *WellbeingPersonLink) WellbeingResponseRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPersonLink) WellbeingResponseRefId_IsNil

func (s *WellbeingPersonLink) WellbeingResponseRefId_IsNil() bool

Returns whether the element value for WellbeingResponseRefId is nil in the container WellbeingPersonLink.

type WellbeingPersonLink_PersonRefId struct {
	// contains filtered or unexported fields
}
func NewWellbeingPersonLink_PersonRefId() *WellbeingPersonLink_PersonRefId

Generates a new object as a pointer to a struct

func WellbeingPersonLink_PersonRefIdPointer(value interface{}) (*WellbeingPersonLink_PersonRefId, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (s *WellbeingPersonLink_PersonRefId) SIF_RefObject() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (s *WellbeingPersonLink_PersonRefId) SIF_RefObject_IsNil() bool

Returns whether the element value for SIF_RefObject is nil in the container WellbeingPersonLink_PersonRefId.

Set a sequence of properties

func (n *WellbeingPersonLink_PersonRefId) SetProperty(key string, value interface{}) *WellbeingPersonLink_PersonRefId

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

Set the value of a property to nil

Return the element value (as a pointer to the container, list, or primitive representing it).

func (s *WellbeingPersonLink_PersonRefId) Value_IsNil() bool

Returns whether the element value for Value is nil in the container WellbeingPersonLink_PersonRefId.

type WellbeingPersonLinks struct {
	// contains filtered or unexported fields
}
func NewWellbeingPersonLinks() *WellbeingPersonLinks

Generates a new object as a pointer to a struct

func WellbeingPersonLinksPointer added in v0.1.0

func WellbeingPersonLinksPointer(value interface{}) (*WellbeingPersonLinks, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingPersonLinks) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingPersonLinks) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingPersonLinks) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingPersonLinks) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingPersonLinks) Last added in v0.1.0

func (t *WellbeingPersonLinks) Last() *wellbeingpersonlink

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingPersonLinks) Len added in v0.1.0

func (t *WellbeingPersonLinks) Len() int

Length of the list.

func (*WellbeingPersonLinks) ToSlice added in v0.1.0

func (t *WellbeingPersonLinks) ToSlice() []*WellbeingPersonLink

Convert list object to slice

type WellbeingPlanType

type WellbeingPlanType struct {
	// contains filtered or unexported fields
}

func NewWellbeingPlanType added in v0.1.0

func NewWellbeingPlanType() *WellbeingPlanType

Generates a new object as a pointer to a struct

func WellbeingPlanTypePointer

func WellbeingPlanTypePointer(value interface{}) (*WellbeingPlanType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingPlanType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingPlanType) PersonalisedPlanRefId

func (s *WellbeingPlanType) PersonalisedPlanRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPlanType) PersonalisedPlanRefId_IsNil

func (s *WellbeingPlanType) PersonalisedPlanRefId_IsNil() bool

Returns whether the element value for PersonalisedPlanRefId is nil in the container WellbeingPlanType.

func (*WellbeingPlanType) PlanNotes

func (s *WellbeingPlanType) PlanNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingPlanType) PlanNotes_IsNil

func (s *WellbeingPlanType) PlanNotes_IsNil() bool

Returns whether the element value for PlanNotes is nil in the container WellbeingPlanType.

func (*WellbeingPlanType) SetProperties

func (n *WellbeingPlanType) SetProperties(props ...Prop) *WellbeingPlanType

Set a sequence of properties

func (*WellbeingPlanType) SetProperty

func (n *WellbeingPlanType) SetProperty(key string, value interface{}) *WellbeingPlanType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingPlanType) Unset

Set the value of a property to nil

type WellbeingResponse

type WellbeingResponse struct {
	// contains filtered or unexported fields
}

func NewWellbeingResponse added in v0.1.0

func NewWellbeingResponse() *WellbeingResponse

Generates a new object as a pointer to a struct

func WellbeingResponsePointer

func WellbeingResponsePointer(value interface{}) (*WellbeingResponse, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func WellbeingResponseSlice

func WellbeingResponseSlice() []*WellbeingResponse

Create a slice of pointers to the object type

func (*WellbeingResponse) Award

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) Award_IsNil

func (s *WellbeingResponse) Award_IsNil() bool

Returns whether the element value for Award is nil in the container WellbeingResponse.

func (*WellbeingResponse) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingResponse) Date

func (s *WellbeingResponse) Date() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) Date_IsNil

func (s *WellbeingResponse) Date_IsNil() bool

Returns whether the element value for Date is nil in the container WellbeingResponse.

func (*WellbeingResponse) Detention

func (s *WellbeingResponse) Detention() *DetentionContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) Detention_IsNil

func (s *WellbeingResponse) Detention_IsNil() bool

Returns whether the element value for Detention is nil in the container WellbeingResponse.

func (*WellbeingResponse) DocumentList

func (s *WellbeingResponse) DocumentList() *WellbeingDocumentListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) DocumentList_IsNil

func (s *WellbeingResponse) DocumentList_IsNil() bool

Returns whether the element value for DocumentList is nil in the container WellbeingResponse.

func (*WellbeingResponse) LocalCodeList

func (s *WellbeingResponse) LocalCodeList() *LocalCodeListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) LocalCodeList_IsNil

func (s *WellbeingResponse) LocalCodeList_IsNil() bool

Returns whether the element value for LocalCodeList is nil in the container WellbeingResponse.

func (*WellbeingResponse) LocalId

func (s *WellbeingResponse) LocalId() *LocalIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) LocalId_IsNil

func (s *WellbeingResponse) LocalId_IsNil() bool

Returns whether the element value for LocalId is nil in the container WellbeingResponse.

func (*WellbeingResponse) OtherResponse

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) OtherResponse_IsNil

func (s *WellbeingResponse) OtherResponse_IsNil() bool

Returns whether the element value for OtherResponse is nil in the container WellbeingResponse.

func (*WellbeingResponse) PersonInvolvementList

func (s *WellbeingResponse) PersonInvolvementList() *PersonInvolvementListType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) PersonInvolvementList_IsNil

func (s *WellbeingResponse) PersonInvolvementList_IsNil() bool

Returns whether the element value for PersonInvolvementList is nil in the container WellbeingResponse.

func (*WellbeingResponse) PlanRequired

func (s *WellbeingResponse) PlanRequired() *PlanRequiredContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) PlanRequired_IsNil

func (s *WellbeingResponse) PlanRequired_IsNil() bool

Returns whether the element value for PlanRequired is nil in the container WellbeingResponse.

func (*WellbeingResponse) RefId

func (s *WellbeingResponse) RefId() *RefIdType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) RefId_IsNil

func (s *WellbeingResponse) RefId_IsNil() bool

Returns whether the element value for RefId is nil in the container WellbeingResponse.

func (*WellbeingResponse) SIF_ExtendedElements

func (s *WellbeingResponse) SIF_ExtendedElements() *SIF_ExtendedElementsType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) SIF_ExtendedElements_IsNil

func (s *WellbeingResponse) SIF_ExtendedElements_IsNil() bool

Returns whether the element value for SIF_ExtendedElements is nil in the container WellbeingResponse.

func (*WellbeingResponse) SIF_Metadata

func (s *WellbeingResponse) SIF_Metadata() *SIF_MetadataType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) SIF_Metadata_IsNil

func (s *WellbeingResponse) SIF_Metadata_IsNil() bool

Returns whether the element value for SIF_Metadata is nil in the container WellbeingResponse.

func (*WellbeingResponse) SchoolInfoRefId

func (s *WellbeingResponse) SchoolInfoRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) SchoolInfoRefId_IsNil

func (s *WellbeingResponse) SchoolInfoRefId_IsNil() bool

Returns whether the element value for SchoolInfoRefId is nil in the container WellbeingResponse.

func (*WellbeingResponse) SetProperties

func (n *WellbeingResponse) SetProperties(props ...Prop) *WellbeingResponse

Set a sequence of properties

func (*WellbeingResponse) SetProperty

func (n *WellbeingResponse) SetProperty(key string, value interface{}) *WellbeingResponse

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingResponse) StudentPersonalRefId

func (s *WellbeingResponse) StudentPersonalRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) StudentPersonalRefId_IsNil

func (s *WellbeingResponse) StudentPersonalRefId_IsNil() bool

Returns whether the element value for StudentPersonalRefId is nil in the container WellbeingResponse.

func (*WellbeingResponse) Suspension

func (s *WellbeingResponse) Suspension() *SuspensionContainerType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) Suspension_IsNil

func (s *WellbeingResponse) Suspension_IsNil() bool

Returns whether the element value for Suspension is nil in the container WellbeingResponse.

func (*WellbeingResponse) Unset

Set the value of a property to nil

func (*WellbeingResponse) WellbeingResponseCategory

func (s *WellbeingResponse) WellbeingResponseCategory() *AUCodeSetsWellbeingResponseCategoryType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) WellbeingResponseCategory_IsNil

func (s *WellbeingResponse) WellbeingResponseCategory_IsNil() bool

Returns whether the element value for WellbeingResponseCategory is nil in the container WellbeingResponse.

func (*WellbeingResponse) WellbeingResponseEndDate

func (s *WellbeingResponse) WellbeingResponseEndDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) WellbeingResponseEndDate_IsNil

func (s *WellbeingResponse) WellbeingResponseEndDate_IsNil() bool

Returns whether the element value for WellbeingResponseEndDate is nil in the container WellbeingResponse.

func (*WellbeingResponse) WellbeingResponseNotes

func (s *WellbeingResponse) WellbeingResponseNotes() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) WellbeingResponseNotes_IsNil

func (s *WellbeingResponse) WellbeingResponseNotes_IsNil() bool

Returns whether the element value for WellbeingResponseNotes is nil in the container WellbeingResponse.

func (*WellbeingResponse) WellbeingResponseStartDate

func (s *WellbeingResponse) WellbeingResponseStartDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WellbeingResponse) WellbeingResponseStartDate_IsNil

func (s *WellbeingResponse) WellbeingResponseStartDate_IsNil() bool

Returns whether the element value for WellbeingResponseStartDate is nil in the container WellbeingResponse.

type WellbeingResponses

type WellbeingResponses struct {
	// contains filtered or unexported fields
}

func NewWellbeingResponses added in v0.1.0

func NewWellbeingResponses() *WellbeingResponses

Generates a new object as a pointer to a struct

func WellbeingResponsesPointer added in v0.1.0

func WellbeingResponsesPointer(value interface{}) (*WellbeingResponses, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WellbeingResponses) AddNew added in v0.1.0

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WellbeingResponses) Append added in v0.1.0

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WellbeingResponses) Clone added in v0.1.0

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WellbeingResponses) Index added in v0.1.0

Retrieves the nth value in the list. Aborts if index is out of bounds. Returns copy of value.

func (*WellbeingResponses) Last added in v0.1.0

func (t *WellbeingResponses) Last() *wellbeingresponse

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WellbeingResponses) Len added in v0.1.0

func (t *WellbeingResponses) Len() int

Length of the list.

func (*WellbeingResponses) ToSlice added in v0.1.0

func (t *WellbeingResponses) ToSlice() []*WellbeingResponse

Convert list object to slice

type WithdrawalTimeListType

type WithdrawalTimeListType struct {
	// contains filtered or unexported fields
}

func NewWithdrawalTimeListType added in v0.1.0

func NewWithdrawalTimeListType() *WithdrawalTimeListType

Generates a new object as a pointer to a struct

func WithdrawalTimeListTypePointer

func WithdrawalTimeListTypePointer(value interface{}) (*WithdrawalTimeListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WithdrawalTimeListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*WithdrawalTimeListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WithdrawalTimeListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WithdrawalTimeListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*WithdrawalTimeListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*WithdrawalTimeListType) Len

func (t *WithdrawalTimeListType) Len() int

Length of the list.

func (*WithdrawalTimeListType) ToSlice added in v0.1.0

func (t *WithdrawalTimeListType) ToSlice() []*WithdrawalType

Convert list object to slice

type WithdrawalType

type WithdrawalType struct {
	// contains filtered or unexported fields
}

func NewWithdrawalType added in v0.1.0

func NewWithdrawalType() *WithdrawalType

Generates a new object as a pointer to a struct

func WithdrawalTypePointer

func WithdrawalTypePointer(value interface{}) (*WithdrawalType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WithdrawalType) Clone

func (t *WithdrawalType) Clone() *WithdrawalType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WithdrawalType) ScheduledActivityRefId

func (s *WithdrawalType) ScheduledActivityRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) ScheduledActivityRefId_IsNil

func (s *WithdrawalType) ScheduledActivityRefId_IsNil() bool

Returns whether the element value for ScheduledActivityRefId is nil in the container WithdrawalType.

func (*WithdrawalType) SetProperties

func (n *WithdrawalType) SetProperties(props ...Prop) *WithdrawalType

Set a sequence of properties

func (*WithdrawalType) SetProperty

func (n *WithdrawalType) SetProperty(key string, value interface{}) *WithdrawalType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WithdrawalType) TimeTableCellRefId

func (s *WithdrawalType) TimeTableCellRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) TimeTableCellRefId_IsNil

func (s *WithdrawalType) TimeTableCellRefId_IsNil() bool

Returns whether the element value for TimeTableCellRefId is nil in the container WithdrawalType.

func (*WithdrawalType) TimeTableSubjectRefId

func (s *WithdrawalType) TimeTableSubjectRefId() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) TimeTableSubjectRefId_IsNil

func (s *WithdrawalType) TimeTableSubjectRefId_IsNil() bool

Returns whether the element value for TimeTableSubjectRefId is nil in the container WithdrawalType.

func (*WithdrawalType) Unset

func (n *WithdrawalType) Unset(key string) *WithdrawalType

Set the value of a property to nil

func (*WithdrawalType) WithdrawalDate

func (s *WithdrawalType) WithdrawalDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) WithdrawalDate_IsNil

func (s *WithdrawalType) WithdrawalDate_IsNil() bool

Returns whether the element value for WithdrawalDate is nil in the container WithdrawalType.

func (*WithdrawalType) WithdrawalEndTime

func (s *WithdrawalType) WithdrawalEndTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) WithdrawalEndTime_IsNil

func (s *WithdrawalType) WithdrawalEndTime_IsNil() bool

Returns whether the element value for WithdrawalEndTime is nil in the container WithdrawalType.

func (*WithdrawalType) WithdrawalStartTime

func (s *WithdrawalType) WithdrawalStartTime() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WithdrawalType) WithdrawalStartTime_IsNil

func (s *WithdrawalType) WithdrawalStartTime_IsNil() bool

Returns whether the element value for WithdrawalStartTime is nil in the container WithdrawalType.

type WorkingWithChildrenCheckType

type WorkingWithChildrenCheckType struct {
	// contains filtered or unexported fields
}

func NewWorkingWithChildrenCheckType added in v0.1.0

func NewWorkingWithChildrenCheckType() *WorkingWithChildrenCheckType

Generates a new object as a pointer to a struct

func WorkingWithChildrenCheckTypePointer

func WorkingWithChildrenCheckTypePointer(value interface{}) (*WorkingWithChildrenCheckType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*WorkingWithChildrenCheckType) CheckDate

func (s *WorkingWithChildrenCheckType) CheckDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) CheckDate_IsNil

func (s *WorkingWithChildrenCheckType) CheckDate_IsNil() bool

Returns whether the element value for CheckDate is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*WorkingWithChildrenCheckType) Determination

func (s *WorkingWithChildrenCheckType) Determination() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) DeterminationDate

func (s *WorkingWithChildrenCheckType) DeterminationDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) DeterminationDate_IsNil

func (s *WorkingWithChildrenCheckType) DeterminationDate_IsNil() bool

Returns whether the element value for DeterminationDate is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Determination_IsNil

func (s *WorkingWithChildrenCheckType) Determination_IsNil() bool

Returns whether the element value for Determination is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) ExpiryDate

func (s *WorkingWithChildrenCheckType) ExpiryDate() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) ExpiryDate_IsNil

func (s *WorkingWithChildrenCheckType) ExpiryDate_IsNil() bool

Returns whether the element value for ExpiryDate is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) HolderName

func (s *WorkingWithChildrenCheckType) HolderName() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) HolderName_IsNil

func (s *WorkingWithChildrenCheckType) HolderName_IsNil() bool

Returns whether the element value for HolderName is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Number

func (s *WorkingWithChildrenCheckType) Number() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) Number_IsNil

func (s *WorkingWithChildrenCheckType) Number_IsNil() bool

Returns whether the element value for Number is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Reasons

func (s *WorkingWithChildrenCheckType) Reasons() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) Reasons_IsNil

func (s *WorkingWithChildrenCheckType) Reasons_IsNil() bool

Returns whether the element value for Reasons is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) SetProperties

Set a sequence of properties

func (*WorkingWithChildrenCheckType) SetProperty

func (n *WorkingWithChildrenCheckType) SetProperty(key string, value interface{}) *WorkingWithChildrenCheckType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*WorkingWithChildrenCheckType) StateTerritory

func (s *WorkingWithChildrenCheckType) StateTerritory() *StateProvinceType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) StateTerritory_IsNil

func (s *WorkingWithChildrenCheckType) StateTerritory_IsNil() bool

Returns whether the element value for StateTerritory is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Type

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*WorkingWithChildrenCheckType) Type_IsNil

func (s *WorkingWithChildrenCheckType) Type_IsNil() bool

Returns whether the element value for Type is nil in the container WorkingWithChildrenCheckType.

func (*WorkingWithChildrenCheckType) Unset

Set the value of a property to nil

type XMLDataType

type XMLDataType struct {
	// contains filtered or unexported fields
}

func NewXMLDataType added in v0.1.0

func NewXMLDataType() *XMLDataType

Generates a new object as a pointer to a struct

func XMLDataTypePointer

func XMLDataTypePointer(value interface{}) (*XMLDataType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*XMLDataType) Clone

func (t *XMLDataType) Clone() *XMLDataType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*XMLDataType) Description

func (s *XMLDataType) Description() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*XMLDataType) Description_IsNil

func (s *XMLDataType) Description_IsNil() bool

Returns whether the element value for Description is nil in the container XMLDataType.

func (*XMLDataType) SetProperties

func (n *XMLDataType) SetProperties(props ...Prop) *XMLDataType

Set a sequence of properties

func (*XMLDataType) SetProperty

func (n *XMLDataType) SetProperty(key string, value interface{}) *XMLDataType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*XMLDataType) Unset

func (n *XMLDataType) Unset(key string) *XMLDataType

Set the value of a property to nil

func (*XMLDataType) Value

func (s *XMLDataType) Value() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*XMLDataType) Value_IsNil

func (s *XMLDataType) Value_IsNil() bool

Returns whether the element value for Value is nil in the container XMLDataType.

type YearLevelEnrollmentListType

type YearLevelEnrollmentListType struct {
	// contains filtered or unexported fields
}

func NewYearLevelEnrollmentListType added in v0.1.0

func NewYearLevelEnrollmentListType() *YearLevelEnrollmentListType

Generates a new object as a pointer to a struct

func YearLevelEnrollmentListTypePointer

func YearLevelEnrollmentListTypePointer(value interface{}) (*YearLevelEnrollmentListType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*YearLevelEnrollmentListType) AddNew

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*YearLevelEnrollmentListType) Append

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*YearLevelEnrollmentListType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*YearLevelEnrollmentListType) Index

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*YearLevelEnrollmentListType) Last

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*YearLevelEnrollmentListType) Len

Length of the list.

func (*YearLevelEnrollmentListType) ToSlice added in v0.1.0

Convert list object to slice

type YearLevelEnrollmentType

type YearLevelEnrollmentType struct {
	// contains filtered or unexported fields
}

func NewYearLevelEnrollmentType added in v0.1.0

func NewYearLevelEnrollmentType() *YearLevelEnrollmentType

Generates a new object as a pointer to a struct

func YearLevelEnrollmentTypePointer

func YearLevelEnrollmentTypePointer(value interface{}) (*YearLevelEnrollmentType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*YearLevelEnrollmentType) Clone

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*YearLevelEnrollmentType) Enrollment

func (s *YearLevelEnrollmentType) Enrollment() *String

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*YearLevelEnrollmentType) Enrollment_IsNil

func (s *YearLevelEnrollmentType) Enrollment_IsNil() bool

Returns whether the element value for Enrollment is nil in the container YearLevelEnrollmentType.

func (*YearLevelEnrollmentType) SetProperties

func (n *YearLevelEnrollmentType) SetProperties(props ...Prop) *YearLevelEnrollmentType

Set a sequence of properties

func (*YearLevelEnrollmentType) SetProperty

func (n *YearLevelEnrollmentType) SetProperty(key string, value interface{}) *YearLevelEnrollmentType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*YearLevelEnrollmentType) Unset

Set the value of a property to nil

func (*YearLevelEnrollmentType) Year

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*YearLevelEnrollmentType) Year_IsNil

func (s *YearLevelEnrollmentType) Year_IsNil() bool

Returns whether the element value for Year is nil in the container YearLevelEnrollmentType.

type YearLevelType

type YearLevelType struct {
	// contains filtered or unexported fields
}

func NewYearLevelType added in v0.1.0

func NewYearLevelType() *YearLevelType

Generates a new object as a pointer to a struct

func YearLevelTypePointer

func YearLevelTypePointer(value interface{}) (*YearLevelType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*YearLevelType) Clone

func (t *YearLevelType) Clone() *YearLevelType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*YearLevelType) Code

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*YearLevelType) Code_IsNil

func (s *YearLevelType) Code_IsNil() bool

Returns whether the element value for Code is nil in the container YearLevelType.

func (*YearLevelType) SetProperties

func (n *YearLevelType) SetProperties(props ...Prop) *YearLevelType

Set a sequence of properties

func (*YearLevelType) SetProperty

func (n *YearLevelType) SetProperty(key string, value interface{}) *YearLevelType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*YearLevelType) Unset

func (n *YearLevelType) Unset(key string) *YearLevelType

Set the value of a property to nil

type YearLevelsType

type YearLevelsType struct {
	// contains filtered or unexported fields
}

func NewYearLevelsType added in v0.1.0

func NewYearLevelsType() *YearLevelsType

Generates a new object as a pointer to a struct

func YearLevelsTypePointer

func YearLevelsTypePointer(value interface{}) (*YearLevelsType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*YearLevelsType) AddNew

func (t *YearLevelsType) AddNew() *YearLevelsType

Appends an empty value to the list. This value can then be populated through accessors on Last().

func (*YearLevelsType) Append

func (t *YearLevelsType) Append(values ...YearLevelType) *YearLevelsType

Appends value to the list. Creates list if it is empty. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*YearLevelsType) Clone

func (t *YearLevelsType) Clone() *YearLevelsType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*YearLevelsType) Index

func (t *YearLevelsType) Index(n int) *YearLevelType

Retrieves the nth value in the list. Aborts if index is out of bounds.

func (*YearLevelsType) Last

func (t *YearLevelsType) Last() *YearLevelType

Retrieve the last value of the list. Calls AddNew() if the list is empty.

func (*YearLevelsType) Len

func (t *YearLevelsType) Len() int

Length of the list.

func (*YearLevelsType) ToSlice added in v0.1.0

func (t *YearLevelsType) ToSlice() []*YearLevelType

Convert list object to slice

type YearRangeType

type YearRangeType struct {
	// contains filtered or unexported fields
}

func NewYearRangeType added in v0.1.0

func NewYearRangeType() *YearRangeType

Generates a new object as a pointer to a struct

func YearRangeTypePointer

func YearRangeTypePointer(value interface{}) (*YearRangeType, bool)

Generates a pointer to the given value (unless it already is a pointer), and returns an error in case the value mismatches X.

func (*YearRangeType) Clone

func (t *YearRangeType) Clone() *YearRangeType

Performs a deep clone on the type, and is used to duplicate an element into another container (particularly if the element is itself nested)

func (*YearRangeType) End

func (s *YearRangeType) End() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*YearRangeType) End_IsNil

func (s *YearRangeType) End_IsNil() bool

Returns whether the element value for End is nil in the container YearRangeType.

func (*YearRangeType) SetProperties

func (n *YearRangeType) SetProperties(props ...Prop) *YearRangeType

Set a sequence of properties

func (*YearRangeType) SetProperty

func (n *YearRangeType) SetProperty(key string, value interface{}) *YearRangeType

Set a property to a value. Aborts if property name is undefined for the type. Aborts if the list is a list of codeset values, and the value does not match the codeset.

func (*YearRangeType) Start

func (s *YearRangeType) Start() *YearLevelType

Return the element value (as a pointer to the container, list, or primitive representing it).

func (*YearRangeType) Start_IsNil

func (s *YearRangeType) Start_IsNil() bool

Returns whether the element value for Start is nil in the container YearRangeType.

func (*YearRangeType) Unset

func (n *YearRangeType) Unset(key string) *YearRangeType

Set the value of a property to nil

Source Files

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL