Data Types¶
The OPC UA protocol defines 25 builtin data types and three ways of combining them into higher-order types: arrays, structures and unions. In open62541, only the builtin data types are defined manually. All other data types are generated from standard XML definitions. Their exact definitions can be looked up at https://opcfoundation.org/UA/schemas/Opc.Ua.Types.bsd.
For users that are new to open62541, take a look at the tutorial for working with data types before diving into the implementation details.
Builtin Types¶
Boolean¶
A two-state logical value (true or false).
typedef bool UA_Boolean;
#define UA_TRUE true UA_INTERNAL_DEPRECATED
#define UA_FALSE false UA_INTERNAL_DEPRECATED
SByte¶
An integer value between -128 and 127.
typedef int8_t UA_SByte;
#define UA_SBYTE_MIN (-128)
#define UA_SBYTE_MAX 127
Byte¶
An integer value between 0 and 255.
typedef uint8_t UA_Byte;
#define UA_BYTE_MIN 0
#define UA_BYTE_MAX 255
Int16¶
An integer value between -32 768 and 32 767.
typedef int16_t UA_Int16;
#define UA_INT16_MIN (-32768)
#define UA_INT16_MAX 32767
UInt16¶
An integer value between 0 and 65 535.
typedef uint16_t UA_UInt16;
#define UA_UINT16_MIN 0
#define UA_UINT16_MAX 65535
Int32¶
An integer value between -2 147 483 648 and 2 147 483 647.
typedef int32_t UA_Int32;
#define UA_INT32_MIN (-2147483648)
#define UA_INT32_MAX 2147483647
UInt32¶
An integer value between 0 and 4 294 967 295.
typedef uint32_t UA_UInt32;
#define UA_UINT32_MIN 0
#define UA_UINT32_MAX 4294967295
Int64¶
An integer value between -9 223 372 036 854 775 808 and 9 223 372 036 854 775 807.
typedef int64_t UA_Int64;
#define UA_INT64_MAX (int64_t)9223372036854775807LL
#define UA_INT64_MIN ((int64_t)-UA_INT64_MAX-1LL)
UInt64¶
An integer value between 0 and 18 446 744 073 709 551 615.
typedef uint64_t UA_UInt64;
#define UA_UINT64_MIN (uint64_t)0
#define UA_UINT64_MAX (uint64_t)18446744073709551615ULL
StatusCode¶
A numeric identifier for a error or condition that is associated with a value or an operation. See the section StatusCodes for the meaning of a specific code.
typedef uint32_t UA_StatusCode;
/* Returns the human-readable name of the StatusCode. If no matching StatusCode
* is found, a default string for "Unknown" is returned. This feature might be
* disabled to create a smaller binary with the
* UA_ENABLE_STATUSCODE_DESCRIPTIONS build-flag. Then the function returns an
* empty string for every StatusCode. */
const char *
UA_StatusCode_name(UA_StatusCode code);
String¶
A sequence of Unicode characters. Strings are just an array of UA_Byte.
typedef struct {
size_t length; /* The length of the string */
UA_Byte *data; /* The content (not null-terminated) */
} UA_String;
/* Copies the content on the heap. Returns a null-string when alloc fails */
UA_String
UA_String_fromChars(const char *src);
UA_Boolean
UA_String_equal(const UA_String *s1, const UA_String *s2);
extern const UA_String UA_STRING_NULL;
UA_STRING
returns a string pointing to the original char-array.
UA_STRING_ALLOC
is shorthand for UA_String_fromChars
and makes a copy
of the char-array.
static UA_INLINE UA_String
UA_STRING(char *chars) {
UA_String s; s.length = 0; s.data = NULL;
if(!chars)
return s;
s.length = strlen(chars); s.data = (UA_Byte*)chars; return s;
}
#define UA_STRING_ALLOC(CHARS) UA_String_fromChars(CHARS)
/* Define strings at compile time (in ROM) */
#define UA_STRING_STATIC(CHARS) {sizeof(CHARS)-1, (UA_Byte*)CHARS}
DateTime¶
An instance in time. A DateTime value is encoded as a 64-bit signed integer which represents the number of 100 nanosecond intervals since January 1, 1601 (UTC).
The methods providing an interface to the system clock are architecture- specific. Usually, they provide a UTC clock that includes leap seconds. The OPC UA standard allows the use of International Atomic Time (TAI) for the DateTime instead. But this is still unusual and not implemented for most SDKs. Currently (2019), UTC and TAI are 37 seconds apart due to leap seconds.
typedef int64_t UA_DateTime;
/* Multiples to convert durations to DateTime */
#define UA_DATETIME_USEC 10LL
#define UA_DATETIME_MSEC (UA_DATETIME_USEC * 1000LL)
#define UA_DATETIME_SEC (UA_DATETIME_MSEC * 1000LL)
/* The current time in UTC time */
UA_DateTime UA_DateTime_now(void);
/* Offset between local time and UTC time */
UA_Int64 UA_DateTime_localTimeUtcOffset(void);
/* CPU clock invariant to system time changes. Use only to measure durations,
* not absolute time. */
UA_DateTime UA_DateTime_nowMonotonic(void);
/* Represents a Datetime as a structure */
typedef struct UA_DateTimeStruct {
UA_UInt16 nanoSec;
UA_UInt16 microSec;
UA_UInt16 milliSec;
UA_UInt16 sec;
UA_UInt16 min;
UA_UInt16 hour;
UA_UInt16 day; /* From 1 to 31 */
UA_UInt16 month; /* From 1 to 12 */
UA_UInt16 year;
} UA_DateTimeStruct;
UA_DateTimeStruct UA_DateTime_toStruct(UA_DateTime t);
UA_DateTime UA_DateTime_fromStruct(UA_DateTimeStruct ts);
/* The C99 standard (7.23.1) says: "The range and precision of times
* representable in clock_t and time_t are implementation-defined." On most
* systems, time_t is a 4 or 8 byte integer counting seconds since the UTC Unix
* epoch. The following methods are used for conversion. */
/* Datetime of 1 Jan 1970 00:00 */
#define UA_DATETIME_UNIX_EPOCH (11644473600LL * UA_DATETIME_SEC)
static UA_INLINE UA_Int64
UA_DateTime_toUnixTime(UA_DateTime date) {
return (date - UA_DATETIME_UNIX_EPOCH) / UA_DATETIME_SEC;
}
static UA_INLINE UA_DateTime
UA_DateTime_fromUnixTime(UA_Int64 unixDate) {
return (unixDate * UA_DATETIME_SEC) + UA_DATETIME_UNIX_EPOCH;
}
Guid¶
A 16 byte value that can be used as a globally unique identifier.
typedef struct {
UA_UInt32 data1;
UA_UInt16 data2;
UA_UInt16 data3;
UA_Byte data4[8];
} UA_Guid;
extern const UA_Guid UA_GUID_NULL;
UA_Boolean UA_Guid_equal(const UA_Guid *g1, const UA_Guid *g2);
#ifdef UA_ENABLE_PARSING
/* Parse the Guid format defined in Part 6, 5.1.3.
* Format: C496578A-0DFE-4B8F-870A-745238C6AEAE
* | | | | | |
* 0 8 13 18 23 36 */
UA_StatusCode
UA_Guid_parse(UA_Guid *guid, const UA_String str);
static UA_INLINE UA_Guid
UA_GUID(const char *chars) {
UA_Guid guid;
UA_Guid_parse(&guid, UA_STRING((char*)(uintptr_t)chars));
return guid;
}
#endif
ByteString¶
A sequence of octets.
typedef UA_String UA_ByteString;
extern const UA_ByteString UA_BYTESTRING_NULL;
/* Allocates memory of size length for the bytestring.
* The content is not set to zero. */
UA_StatusCode
UA_ByteString_allocBuffer(UA_ByteString *bs, size_t length);
/* Converts a ByteString to the corresponding
* base64 representation */
UA_StatusCode
UA_ByteString_toBase64(const UA_ByteString *bs,
UA_String *output);
/* Parse a ByteString from a base64 representation */
UA_StatusCode
UA_ByteString_fromBase64(UA_ByteString *bs,
const UA_String *input);
static UA_INLINE UA_ByteString
UA_BYTESTRING(char *chars) {
UA_ByteString bs; bs.length = 0; bs.data = NULL;
if(!chars)
return bs;
bs.length = strlen(chars); bs.data = (UA_Byte*)chars; return bs;
}
static UA_INLINE UA_ByteString
UA_BYTESTRING_ALLOC(const char *chars) {
UA_String str = UA_String_fromChars(chars); UA_ByteString bstr;
bstr.length = str.length; bstr.data = str.data; return bstr;
}
static UA_INLINE UA_Boolean
UA_ByteString_equal(const UA_ByteString *string1,
const UA_ByteString *string2) {
return UA_String_equal((const UA_String*)string1,
(const UA_String*)string2);
}
/* Returns a non-cryptographic hash for the String.
* Uses FNV non-cryptographic hash function. See
* https://en.wikipedia.org/wiki/Fowler%E2%80%93Noll%E2%80%93Vo_hash_function */
UA_UInt32
UA_ByteString_hash(UA_UInt32 initialHashValue,
const UA_Byte *data, size_t size);
NodeId¶
An identifier for a node in the address space of an OPC UA Server.
enum UA_NodeIdType {
UA_NODEIDTYPE_NUMERIC = 0, /* In the binary encoding, this can also
* become 1 or 2 (two-byte and four-byte
* encoding of small numeric nodeids) */
UA_NODEIDTYPE_STRING = 3,
UA_NODEIDTYPE_GUID = 4,
UA_NODEIDTYPE_BYTESTRING = 5
};
typedef struct {
UA_UInt16 namespaceIndex;
enum UA_NodeIdType identifierType;
union {
UA_UInt32 numeric;
UA_String string;
UA_Guid guid;
UA_ByteString byteString;
} identifier;
} UA_NodeId;
extern const UA_NodeId UA_NODEID_NULL;
UA_Boolean UA_NodeId_isNull(const UA_NodeId *p);
/* Print the NodeId in the human-readable format defined in Part 6,
* 5.3.1.10.
*
* Examples:
* UA_NODEID("i=13")
* UA_NODEID("ns=10;i=1")
* UA_NODEID("ns=10;s=Hello:World")
* UA_NODEID("g=09087e75-8e5e-499b-954f-f2a9603db28a")
* UA_NODEID("ns=1;b=b3BlbjYyNTQxIQ==") // base64
* */
UA_StatusCode
UA_NodeId_print(const UA_NodeId *id, UA_String *output);
#ifdef UA_ENABLE_PARSING
/* Parse the human-readable NodeId format. Attention! String and
* ByteString NodeIds have their identifier malloc'ed and need to be
* cleaned up. */
UA_StatusCode
UA_NodeId_parse(UA_NodeId *id, const UA_String str);
static UA_INLINE UA_NodeId
UA_NODEID(const char *chars) {
UA_NodeId id;
UA_NodeId_parse(&id, UA_STRING((char*)(uintptr_t)chars));
return id;
}
#endif
The following functions are shorthand for creating NodeIds.
static UA_INLINE UA_NodeId
UA_NODEID_NUMERIC(UA_UInt16 nsIndex, UA_UInt32 identifier) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_NUMERIC;
id.identifier.numeric = identifier; return id;
}
static UA_INLINE UA_NodeId
UA_NODEID_STRING(UA_UInt16 nsIndex, char *chars) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_STRING;
id.identifier.string = UA_STRING(chars); return id;
}
static UA_INLINE UA_NodeId
UA_NODEID_STRING_ALLOC(UA_UInt16 nsIndex, const char *chars) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_STRING;
id.identifier.string = UA_STRING_ALLOC(chars); return id;
}
static UA_INLINE UA_NodeId
UA_NODEID_GUID(UA_UInt16 nsIndex, UA_Guid guid) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_GUID;
id.identifier.guid = guid; return id;
}
static UA_INLINE UA_NodeId
UA_NODEID_BYTESTRING(UA_UInt16 nsIndex, char *chars) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_BYTESTRING;
id.identifier.byteString = UA_BYTESTRING(chars); return id;
}
static UA_INLINE UA_NodeId
UA_NODEID_BYTESTRING_ALLOC(UA_UInt16 nsIndex, const char *chars) {
UA_NodeId id; id.namespaceIndex = nsIndex;
id.identifierType = UA_NODEIDTYPE_BYTESTRING;
id.identifier.byteString = UA_BYTESTRING_ALLOC(chars); return id;
}
/* Total ordering of NodeId */
UA_Order
UA_NodeId_order(const UA_NodeId *n1, const UA_NodeId *n2);
/* Check for equality */
static UA_INLINE UA_Boolean
UA_NodeId_equal(const UA_NodeId *n1, const UA_NodeId *n2) {
return (UA_NodeId_order(n1, n2) == UA_ORDER_EQ);
}
/* Returns a non-cryptographic hash for NodeId */
UA_UInt32 UA_NodeId_hash(const UA_NodeId *n);
ExpandedNodeId¶
A NodeId that allows the namespace URI to be specified instead of an index.
typedef struct {
UA_NodeId nodeId;
UA_String namespaceUri;
UA_UInt32 serverIndex;
} UA_ExpandedNodeId;
extern const UA_ExpandedNodeId UA_EXPANDEDNODEID_NULL;
#ifdef UA_ENABLE_PARSING
/* Parse the ExpandedNodeId format defined in Part 6, 5.3.1.11:
*
* svr=<serverindex>;ns=<namespaceindex>;<type>=<value>
* or
* svr=<serverindex>;nsu=<uri>;<type>=<value>
*
* The definitions for svr, ns and nsu can be omitted and will be set to zero /
* the empty string.*/
UA_StatusCode
UA_ExpandedNodeId_parse(UA_ExpandedNodeId *id, const UA_String str);
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID(const char *chars) {
UA_ExpandedNodeId id;
UA_ExpandedNodeId_parse(&id, UA_STRING((char*)(uintptr_t)chars));
return id;
}
#endif
The following functions are shorthand for creating ExpandedNodeIds.
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_NUMERIC(UA_UInt16 nsIndex, UA_UInt32 identifier) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_NUMERIC(nsIndex, identifier);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_STRING(UA_UInt16 nsIndex, char *chars) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_STRING(nsIndex, chars);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_STRING_ALLOC(UA_UInt16 nsIndex, const char *chars) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_STRING_ALLOC(nsIndex, chars);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_STRING_GUID(UA_UInt16 nsIndex, UA_Guid guid) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_GUID(nsIndex, guid);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_BYTESTRING(UA_UInt16 nsIndex, char *chars) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_BYTESTRING(nsIndex, chars);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
static UA_INLINE UA_ExpandedNodeId
UA_EXPANDEDNODEID_BYTESTRING_ALLOC(UA_UInt16 nsIndex, const char *chars) {
UA_ExpandedNodeId id; id.nodeId = UA_NODEID_BYTESTRING_ALLOC(nsIndex, chars);
id.serverIndex = 0; id.namespaceUri = UA_STRING_NULL; return id;
}
/* Total ordering of ExpandedNodeId */
UA_Order
UA_ExpandedNodeId_order(const UA_ExpandedNodeId *n1, const UA_ExpandedNodeId *n2);
/* Check for equality */
static UA_INLINE UA_Boolean
UA_ExpandedNodeId_equal(const UA_ExpandedNodeId *n1, const UA_ExpandedNodeId *n2) {
return (UA_ExpandedNodeId_order(n1, n2) == UA_ORDER_EQ);
}
/* Returns a non-cryptographic hash for ExpandedNodeId */
UA_UInt32 UA_ExpandedNodeId_hash(const UA_ExpandedNodeId *n);
QualifiedName¶
A name qualified by a namespace.
typedef struct {
UA_UInt16 namespaceIndex;
UA_String name;
} UA_QualifiedName;
static UA_INLINE UA_Boolean
UA_QualifiedName_isNull(const UA_QualifiedName *q) {
return (q->namespaceIndex == 0 && q->name.length == 0);
}
/* Returns a non-cryptographic hash for QualifiedName */
UA_UInt32
UA_QualifiedName_hash(const UA_QualifiedName *q);
static UA_INLINE UA_QualifiedName
UA_QUALIFIEDNAME(UA_UInt16 nsIndex, char *chars) {
UA_QualifiedName qn; qn.namespaceIndex = nsIndex;
qn.name = UA_STRING(chars); return qn;
}
static UA_INLINE UA_QualifiedName
UA_QUALIFIEDNAME_ALLOC(UA_UInt16 nsIndex, const char *chars) {
UA_QualifiedName qn; qn.namespaceIndex = nsIndex;
qn.name = UA_STRING_ALLOC(chars); return qn;
}
UA_Boolean
UA_QualifiedName_equal(const UA_QualifiedName *qn1,
const UA_QualifiedName *qn2);
LocalizedText¶
Human readable text with an optional locale identifier.
typedef struct {
UA_String locale;
UA_String text;
} UA_LocalizedText;
static UA_INLINE UA_LocalizedText
UA_LOCALIZEDTEXT(char *locale, char *text) {
UA_LocalizedText lt; lt.locale = UA_STRING(locale);
lt.text = UA_STRING(text); return lt;
}
static UA_INLINE UA_LocalizedText
UA_LOCALIZEDTEXT_ALLOC(const char *locale, const char *text) {
UA_LocalizedText lt; lt.locale = UA_STRING_ALLOC(locale);
lt.text = UA_STRING_ALLOC(text); return lt;
}
NumericRange¶
NumericRanges are used to indicate subsets of a (multidimensional) array. They no official data type in the OPC UA standard and are transmitted only with a string encoding, such as “1:2,0:3,5”. The colon separates min/max index and the comma separates dimensions. A single value indicates a range with a single element (min==max).
typedef struct {
UA_UInt32 min;
UA_UInt32 max;
} UA_NumericRangeDimension;
typedef struct {
size_t dimensionsSize;
UA_NumericRangeDimension *dimensions;
} UA_NumericRange;
UA_StatusCode
UA_NumericRange_parse(UA_NumericRange *range, const UA_String str);
static UA_INLINE UA_NumericRange
UA_NUMERICRANGE(const char *s) {
UA_NumericRange nr; nr.dimensionsSize = 0; nr.dimensions = NULL;
UA_NumericRange_parse(&nr, UA_STRING((char*)(uintptr_t)s)); return nr;
}
UA_DEPRECATED static UA_INLINE UA_StatusCode
UA_NumericRange_parseFromString(UA_NumericRange *range, const UA_String *str) {
return UA_NumericRange_parse(range, *str);
}
Variant¶
Variants may contain values of any type together with a description of the content. See the section on Generic Type Handling on how types are described. The standard mandates that variants contain built-in data types only. If the value is not of a builtin type, it is wrapped into an ExtensionObject. open62541 hides this wrapping transparently in the encoding layer. If the data type is unknown to the receiver, the variant contains the original ExtensionObject in binary or XML encoding.
Variants may contain a scalar value or an array. For details on the handling
of arrays, see the section on Array handling. Array variants can have
an additional dimensionality (matrix, 3-tensor, …) defined in an array of
dimension lengths. The actual values are kept in an array of dimensions one.
For users who work with higher-dimensions arrays directly, keep in mind that
dimensions of higher rank are serialized first (the highest rank dimension
has stride 1 and elements follow each other directly). Usually it is simplest
to interact with higher-dimensional arrays via UA_NumericRange
descriptions (see Array handling).
To differentiate between scalar / array variants, the following definition is
used. UA_Variant_isScalar
provides simplified access to these checks.
arrayLength == 0 && data == NULL
: undefined array of length -1arrayLength == 0 && data == UA_EMPTY_ARRAY_SENTINEL
: array of length 0arrayLength == 0 && data > UA_EMPTY_ARRAY_SENTINEL
: scalar valuearrayLength > 0
: array of the given length
Variants can also be empty. Then, the pointer to the type description is
NULL
.
/* Forward declaration. See the section on Generic Type Handling */
struct UA_DataType;
typedef struct UA_DataType UA_DataType;
#define UA_EMPTY_ARRAY_SENTINEL ((void*)0x01)
typedef enum {
UA_VARIANT_DATA, /* The data has the same lifecycle as the
variant */
UA_VARIANT_DATA_NODELETE /* The data is "borrowed" by the variant and
shall not be deleted at the end of the
variant's lifecycle. */
} UA_VariantStorageType;
typedef struct {
const UA_DataType *type; /* The data type description */
UA_VariantStorageType storageType;
size_t arrayLength; /* The number of elements in the data array */
void *data; /* Points to the scalar or array data */
size_t arrayDimensionsSize; /* The number of dimensions */
UA_UInt32 *arrayDimensions; /* The length of each dimension */
} UA_Variant;
/* Returns true if the variant has no value defined (contains neither an array
* nor a scalar value).
*
* @param v The variant
* @return Is the variant empty */
static UA_INLINE UA_Boolean
UA_Variant_isEmpty(const UA_Variant *v) {
return v->type == NULL;
}
/* Returns true if the variant contains a scalar value. Note that empty variants
* contain an array of length -1 (undefined).
*
* @param v The variant
* @return Does the variant contain a scalar value */
static UA_INLINE UA_Boolean
UA_Variant_isScalar(const UA_Variant *v) {
return (v->arrayLength == 0 && v->data > UA_EMPTY_ARRAY_SENTINEL);
}
/* Returns true if the variant contains a scalar value of the given type.
*
* @param v The variant
* @param type The data type
* @return Does the variant contain a scalar value of the given type */
static UA_INLINE UA_Boolean
UA_Variant_hasScalarType(const UA_Variant *v, const UA_DataType *type) {
return UA_Variant_isScalar(v) && type == v->type;
}
/* Returns true if the variant contains an array of the given type.
*
* @param v The variant
* @param type The data type
* @return Does the variant contain an array of the given type */
static UA_INLINE UA_Boolean
UA_Variant_hasArrayType(const UA_Variant *v, const UA_DataType *type) {
return (!UA_Variant_isScalar(v)) && type == v->type;
}
/* Set the variant to a scalar value that already resides in memory. The value
* takes on the lifecycle of the variant and is deleted with it.
*
* @param v The variant
* @param p A pointer to the value data
* @param type The datatype of the value in question */
void
UA_Variant_setScalar(UA_Variant *v, void *p,
const UA_DataType *type);
/* Set the variant to a scalar value that is copied from an existing variable.
* @param v The variant
* @param p A pointer to the value data
* @param type The datatype of the value
* @return Indicates whether the operation succeeded or returns an error code */
UA_StatusCode
UA_Variant_setScalarCopy(UA_Variant *v, const void *p,
const UA_DataType *type);
/* Set the variant to an array that already resides in memory. The array takes
* on the lifecycle of the variant and is deleted with it.
*
* @param v The variant
* @param array A pointer to the array data
* @param arraySize The size of the array
* @param type The datatype of the array */
void
UA_Variant_setArray(UA_Variant *v, void *array,
size_t arraySize, const UA_DataType *type);
/* Set the variant to an array that is copied from an existing array.
*
* @param v The variant
* @param array A pointer to the array data
* @param arraySize The size of the array
* @param type The datatype of the array
* @return Indicates whether the operation succeeded or returns an error code */
UA_StatusCode
UA_Variant_setArrayCopy(UA_Variant *v, const void *array,
size_t arraySize, const UA_DataType *type);
/* Copy the variant, but use only a subset of the (multidimensional) array into
* a variant. Returns an error code if the variant is not an array or if the
* indicated range does not fit.
*
* @param src The source variant
* @param dst The target variant
* @param range The range of the copied data
* @return Returns UA_STATUSCODE_GOOD or an error code */
UA_StatusCode
UA_Variant_copyRange(const UA_Variant *src, UA_Variant *dst,
const UA_NumericRange range);
/* Insert a range of data into an existing variant. The data array can't be
* reused afterwards if it contains types without a fixed size (e.g. strings)
* since the members are moved into the variant and take on its lifecycle.
*
* @param v The variant
* @param dataArray The data array. The type must match the variant
* @param dataArraySize The length of the data array. This is checked to match
* the range size.
* @param range The range of where the new data is inserted
* @return Returns UA_STATUSCODE_GOOD or an error code */
UA_StatusCode
UA_Variant_setRange(UA_Variant *v, void *array,
size_t arraySize, const UA_NumericRange range);
/* Deep-copy a range of data into an existing variant.
*
* @param v The variant
* @param dataArray The data array. The type must match the variant
* @param dataArraySize The length of the data array. This is checked to match
* the range size.
* @param range The range of where the new data is inserted
* @return Returns UA_STATUSCODE_GOOD or an error code */
UA_StatusCode
UA_Variant_setRangeCopy(UA_Variant *v, const void *array,
size_t arraySize, const UA_NumericRange range);
ExtensionObject¶
ExtensionObjects may contain scalars of any data type. Even those that are unknown to the receiver. See the section on Generic Type Handling on how types are described. If the received data type is unknown, the encoded string and target NodeId is stored instead of the decoded value.
typedef enum {
UA_EXTENSIONOBJECT_ENCODED_NOBODY = 0,
UA_EXTENSIONOBJECT_ENCODED_BYTESTRING = 1,
UA_EXTENSIONOBJECT_ENCODED_XML = 2,
UA_EXTENSIONOBJECT_DECODED = 3,
UA_EXTENSIONOBJECT_DECODED_NODELETE = 4 /* Don't delete the content
together with the
ExtensionObject */
} UA_ExtensionObjectEncoding;
typedef struct {
UA_ExtensionObjectEncoding encoding;
union {
struct {
UA_NodeId typeId; /* The nodeid of the datatype */
UA_ByteString body; /* The bytestring of the encoded data */
} encoded;
struct {
const UA_DataType *type;
void *data;
} decoded;
} content;
} UA_ExtensionObject;
DataValue¶
A data value with an associated status code and timestamps.
typedef struct {
UA_Variant value;
UA_DateTime sourceTimestamp;
UA_DateTime serverTimestamp;
UA_UInt16 sourcePicoseconds;
UA_UInt16 serverPicoseconds;
UA_StatusCode status;
UA_Boolean hasValue : 1;
UA_Boolean hasStatus : 1;
UA_Boolean hasSourceTimestamp : 1;
UA_Boolean hasServerTimestamp : 1;
UA_Boolean hasSourcePicoseconds : 1;
UA_Boolean hasServerPicoseconds : 1;
} UA_DataValue;
DiagnosticInfo¶
A structure that contains detailed error and diagnostic information associated with a StatusCode.
typedef struct UA_DiagnosticInfo {
UA_Boolean hasSymbolicId : 1;
UA_Boolean hasNamespaceUri : 1;
UA_Boolean hasLocalizedText : 1;
UA_Boolean hasLocale : 1;
UA_Boolean hasAdditionalInfo : 1;
UA_Boolean hasInnerStatusCode : 1;
UA_Boolean hasInnerDiagnosticInfo : 1;
UA_Int32 symbolicId;
UA_Int32 namespaceUri;
UA_Int32 localizedText;
UA_Int32 locale;
UA_String additionalInfo;
UA_StatusCode innerStatusCode;
struct UA_DiagnosticInfo *innerDiagnosticInfo;
} UA_DiagnosticInfo;
Generic Type Handling¶
All information about a (builtin/structured) data type is stored in a
UA_DataType
. The array UA_TYPES
contains the description of all
standard-defined types. This type description is used for the following
generic operations that work on all types:
void T_init(T *ptr)
: Initialize the data type. This is synonymous with zeroing out the memory, i.e.memset(ptr, 0, sizeof(T))
.T* T_new()
: Allocate and return the memory for the data type. The value is already initialized.UA_StatusCode T_copy(const T *src, T *dst)
: Copy the content of the data type. ReturnsUA_STATUSCODE_GOOD
orUA_STATUSCODE_BADOUTOFMEMORY
.void T_clear(T *ptr)
: Delete the dynamically allocated content of the data type and perform aT_init
to reset the type.void T_delete(T *ptr)
: Delete the content of the data type and the memory for the data type itself.
Specializations, such as UA_Int32_new()
are derived from the generic
type operations as static inline functions.
typedef struct {
#ifdef UA_ENABLE_TYPEDESCRIPTION
const char *memberName;
#endif
UA_UInt16 memberTypeIndex; /* Index of the member in the array of data
types */
UA_Byte padding; /* How much padding is there before this
member element? For arrays this is the
padding before the size_t length member.
(No padding between size_t and the
following ptr.) */
UA_Boolean namespaceZero : 1; /* The type of the member is defined in
namespace zero. In this implementation,
types from custom namespace may contain
members from the same namespace or
namespace zero only.*/
UA_Boolean isArray : 1; /* The member is an array */
UA_Boolean isOptional : 1; /* The member is an optional field */
} UA_DataTypeMember;
/* The DataType "kind" is an internal type classification. It is used to
* dispatch handling to the correct routines. */
#define UA_DATATYPEKINDS 31
typedef enum {
UA_DATATYPEKIND_BOOLEAN = 0,
UA_DATATYPEKIND_SBYTE = 1,
UA_DATATYPEKIND_BYTE = 2,
UA_DATATYPEKIND_INT16 = 3,
UA_DATATYPEKIND_UINT16 = 4,
UA_DATATYPEKIND_INT32 = 5,
UA_DATATYPEKIND_UINT32 = 6,
UA_DATATYPEKIND_INT64 = 7,
UA_DATATYPEKIND_UINT64 = 8,
UA_DATATYPEKIND_FLOAT = 9,
UA_DATATYPEKIND_DOUBLE = 10,
UA_DATATYPEKIND_STRING = 11,
UA_DATATYPEKIND_DATETIME = 12,
UA_DATATYPEKIND_GUID = 13,
UA_DATATYPEKIND_BYTESTRING = 14,
UA_DATATYPEKIND_XMLELEMENT = 15,
UA_DATATYPEKIND_NODEID = 16,
UA_DATATYPEKIND_EXPANDEDNODEID = 17,
UA_DATATYPEKIND_STATUSCODE = 18,
UA_DATATYPEKIND_QUALIFIEDNAME = 19,
UA_DATATYPEKIND_LOCALIZEDTEXT = 20,
UA_DATATYPEKIND_EXTENSIONOBJECT = 21,
UA_DATATYPEKIND_DATAVALUE = 22,
UA_DATATYPEKIND_VARIANT = 23,
UA_DATATYPEKIND_DIAGNOSTICINFO = 24,
UA_DATATYPEKIND_DECIMAL = 25,
UA_DATATYPEKIND_ENUM = 26,
UA_DATATYPEKIND_STRUCTURE = 27,
UA_DATATYPEKIND_OPTSTRUCT = 28, /* struct with optional fields */
UA_DATATYPEKIND_UNION = 29,
UA_DATATYPEKIND_BITFIELDCLUSTER = 30 /* bitfields + padding */
} UA_DataTypeKind;
struct UA_DataType {
#ifdef UA_ENABLE_TYPEDESCRIPTION
const char *typeName;
#endif
UA_NodeId typeId; /* The nodeid of the type */
UA_UInt16 memSize; /* Size of the struct in memory */
UA_UInt16 typeIndex; /* Index of the type in the datatypetable */
UA_UInt32 typeKind : 6; /* Dispatch index for the handling routines */
UA_UInt32 pointerFree : 1; /* The type (and its members) contains no
* pointers that need to be freed */
UA_UInt32 overlayable : 1; /* The type has the identical memory layout
* in memory and on the binary stream. */
UA_UInt32 membersSize : 8; /* How many members does the type have? */
UA_UInt32 binaryEncodingId; /* NodeId of datatype when encoded as binary */
//UA_UInt16 xmlEncodingId; /* NodeId of datatype when encoded as XML */
UA_DataTypeMember *members;
};
/* Test if the data type is a numeric builtin data type. This includes Boolean,
* integers and floating point numbers. Not included are DateTime and
* StatusCode. */
UA_Boolean
UA_DataType_isNumeric(const UA_DataType *type);
Builtin data types can be accessed as UA_TYPES[UA_TYPES_XXX], where XXX is the name of the data type. If only the NodeId of a type is known, use the following method to retrieve the data type description.
/* Returns the data type description for the type's identifier or NULL if no
* matching data type was found. */
const UA_DataType *
UA_findDataType(const UA_NodeId *typeId);
The following functions are used for generic handling of data types.
/* Allocates and initializes a variable of type dataType
*
* @param type The datatype description
* @return Returns the memory location of the variable or NULL if no
* memory could be allocated */
void * UA_new(const UA_DataType *type);
/* Initializes a variable to default values
*
* @param p The memory location of the variable
* @param type The datatype description */
static UA_INLINE void
UA_init(void *p, const UA_DataType *type) {
memset(p, 0, type->memSize);
}
/* Copies the content of two variables. If copying fails (e.g. because no memory
* was available for an array), then dst is emptied and initialized to prevent
* memory leaks.
*
* @param src The memory location of the source variable
* @param dst The memory location of the destination variable
* @param type The datatype description
* @return Indicates whether the operation succeeded or returns an error code */
UA_StatusCode
UA_copy(const void *src, void *dst, const UA_DataType *type);
/* Deletes the dynamically allocated content of a variable (e.g. resets all
* arrays to undefined arrays). Afterwards, the variable can be safely deleted
* without causing memory leaks. But the variable is not initialized and may
* contain old data that is not memory-relevant.
*
* @param p The memory location of the variable
* @param type The datatype description of the variable */
void UA_clear(void *p, const UA_DataType *type);
#define UA_deleteMembers(p, type) UA_clear(p, type)
/* Frees a variable and all of its content.
*
* @param p The memory location of the variable
* @param type The datatype description of the variable */
void UA_delete(void *p, const UA_DataType *type);
Array handling¶
In OPC UA, arrays can have a length of zero or more with the usual meaning. In addition, arrays can be undefined. Then, they don’t even have a length. In the binary encoding, this is indicated by an array of length -1.
In open62541 however, we use size_t
for array lengths. An undefined array
has length 0 and the data pointer is NULL
. An array of length 0 also has
length 0 but a data pointer UA_EMPTY_ARRAY_SENTINEL
.
/* Allocates and initializes an array of variables of a specific type
*
* @param size The requested array length
* @param type The datatype description
* @return Returns the memory location of the variable or NULL if no memory
could be allocated */
void *
UA_Array_new(size_t size, const UA_DataType *type);
/* Allocates and copies an array
*
* @param src The memory location of the source array
* @param size The size of the array
* @param dst The location of the pointer to the new array
* @param type The datatype of the array members
* @return Returns UA_STATUSCODE_GOOD or UA_STATUSCODE_BADOUTOFMEMORY */
UA_StatusCode
UA_Array_copy(const void *src, size_t size, void **dst,
const UA_DataType *type);
/* Deletes an array.
*
* @param p The memory location of the array
* @param size The size of the array
* @param type The datatype of the array members */
void UA_Array_delete(void *p, size_t size, const UA_DataType *type);
Random Number Generator¶
If UA_MULTITHREADING is defined, then the seed is stored in thread local storage. The seed is initialized for every thread in the server/client.
void UA_random_seed(UA_UInt64 seed);
UA_UInt32 UA_UInt32_random(void); /* no cryptographic entropy */
UA_Guid UA_Guid_random(void); /* no cryptographic entropy */
Generated Data Type Definitions¶
The following data types were auto-generated from a definition in XML format.
/* The following is used to exclude type names in the definition of UA_DataType
* structures if the feature is disabled. */
#ifdef UA_ENABLE_TYPEDESCRIPTION
# define UA_TYPENAME(name) name,
#else
# define UA_TYPENAME(name)
#endif
/* Datatype arrays with custom type definitions can be added in a linked list to
* the client or server configuration. Datatype members can point to types in
* the same array via the ``memberTypeIndex``. If ``namespaceZero`` is set to
* true, the member datatype is looked up in the array of builtin datatypes
* instead. */
typedef struct UA_DataTypeArray {
const struct UA_DataTypeArray *next;
const size_t typesSize;
const UA_DataType *types;
} UA_DataTypeArray;
Every type is assigned an index in an array containing the type descriptions. These descriptions are used during type handling (copying, deletion, binary encoding, …).
#define UA_TYPES_COUNT 188
extern const UA_DataType UA_TYPES[UA_TYPES_COUNT];
Boolean¶
#define UA_TYPES_BOOLEAN 0
SByte¶
#define UA_TYPES_SBYTE 1
Byte¶
#define UA_TYPES_BYTE 2
Int16¶
#define UA_TYPES_INT16 3
UInt16¶
#define UA_TYPES_UINT16 4
Int32¶
#define UA_TYPES_INT32 5
UInt32¶
#define UA_TYPES_UINT32 6
Int64¶
#define UA_TYPES_INT64 7
UInt64¶
#define UA_TYPES_UINT64 8
Float¶
#define UA_TYPES_FLOAT 9
Double¶
#define UA_TYPES_DOUBLE 10
String¶
#define UA_TYPES_STRING 11
DateTime¶
#define UA_TYPES_DATETIME 12
Guid¶
#define UA_TYPES_GUID 13
ByteString¶
#define UA_TYPES_BYTESTRING 14
XmlElement¶
#define UA_TYPES_XMLELEMENT 15
NodeId¶
#define UA_TYPES_NODEID 16
ExpandedNodeId¶
#define UA_TYPES_EXPANDEDNODEID 17
StatusCode¶
#define UA_TYPES_STATUSCODE 18
QualifiedName¶
#define UA_TYPES_QUALIFIEDNAME 19
LocalizedText¶
#define UA_TYPES_LOCALIZEDTEXT 20
ExtensionObject¶
#define UA_TYPES_EXTENSIONOBJECT 21
DataValue¶
#define UA_TYPES_DATAVALUE 22
Variant¶
#define UA_TYPES_VARIANT 23
DiagnosticInfo¶
#define UA_TYPES_DIAGNOSTICINFO 24
NodeClass¶
A mask specifying the class of the node.
typedef enum {
UA_NODECLASS_UNSPECIFIED = 0,
UA_NODECLASS_OBJECT = 1,
UA_NODECLASS_VARIABLE = 2,
UA_NODECLASS_METHOD = 4,
UA_NODECLASS_OBJECTTYPE = 8,
UA_NODECLASS_VARIABLETYPE = 16,
UA_NODECLASS_REFERENCETYPE = 32,
UA_NODECLASS_DATATYPE = 64,
UA_NODECLASS_VIEW = 128,
__UA_NODECLASS_FORCE32BIT = 0x7fffffff
} UA_NodeClass;
UA_STATIC_ASSERT(sizeof(UA_NodeClass) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_NODECLASS 25
StructureType¶
typedef enum {
UA_STRUCTURETYPE_STRUCTURE = 0,
UA_STRUCTURETYPE_STRUCTUREWITHOPTIONALFIELDS = 1,
UA_STRUCTURETYPE_UNION = 2,
__UA_STRUCTURETYPE_FORCE32BIT = 0x7fffffff
} UA_StructureType;
UA_STATIC_ASSERT(sizeof(UA_StructureType) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_STRUCTURETYPE 26
StructureField¶
typedef struct {
UA_String name;
UA_LocalizedText description;
UA_NodeId dataType;
UA_Int32 valueRank;
size_t arrayDimensionsSize;
UA_UInt32 *arrayDimensions;
UA_UInt32 maxStringLength;
UA_Boolean isOptional;
} UA_StructureField;
#define UA_TYPES_STRUCTUREFIELD 27
StructureDefinition¶
typedef struct {
UA_NodeId defaultEncodingId;
UA_NodeId baseDataType;
UA_StructureType structureType;
size_t fieldsSize;
UA_StructureField *fields;
} UA_StructureDefinition;
#define UA_TYPES_STRUCTUREDEFINITION 28
Argument¶
An argument for a method.
typedef struct {
UA_String name;
UA_NodeId dataType;
UA_Int32 valueRank;
size_t arrayDimensionsSize;
UA_UInt32 *arrayDimensions;
UA_LocalizedText description;
} UA_Argument;
#define UA_TYPES_ARGUMENT 29
EnumValueType¶
A mapping between a value of an enumerated type and a name and description.
typedef struct {
UA_Int64 value;
UA_LocalizedText displayName;
UA_LocalizedText description;
} UA_EnumValueType;
#define UA_TYPES_ENUMVALUETYPE 30
EnumField¶
typedef struct {
UA_Int64 value;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_String name;
} UA_EnumField;
#define UA_TYPES_ENUMFIELD 31
Duration¶
A period of time measured in milliseconds.
typedef UA_Double UA_Duration;
#define UA_TYPES_DURATION 32
UtcTime¶
A date/time value specified in Universal Coordinated Time (UTC).
typedef UA_DateTime UA_UtcTime;
#define UA_TYPES_UTCTIME 33
LocaleId¶
An identifier for a user locale.
typedef UA_String UA_LocaleId;
#define UA_TYPES_LOCALEID 34
TimeZoneDataType¶
typedef struct {
UA_Int16 offset;
UA_Boolean daylightSavingInOffset;
} UA_TimeZoneDataType;
#define UA_TYPES_TIMEZONEDATATYPE 35
ApplicationType¶
The types of applications.
typedef enum {
UA_APPLICATIONTYPE_SERVER = 0,
UA_APPLICATIONTYPE_CLIENT = 1,
UA_APPLICATIONTYPE_CLIENTANDSERVER = 2,
UA_APPLICATIONTYPE_DISCOVERYSERVER = 3,
__UA_APPLICATIONTYPE_FORCE32BIT = 0x7fffffff
} UA_ApplicationType;
UA_STATIC_ASSERT(sizeof(UA_ApplicationType) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_APPLICATIONTYPE 36
ApplicationDescription¶
Describes an application and how to find it.
typedef struct {
UA_String applicationUri;
UA_String productUri;
UA_LocalizedText applicationName;
UA_ApplicationType applicationType;
UA_String gatewayServerUri;
UA_String discoveryProfileUri;
size_t discoveryUrlsSize;
UA_String *discoveryUrls;
} UA_ApplicationDescription;
#define UA_TYPES_APPLICATIONDESCRIPTION 37
RequestHeader¶
The header passed with every server request.
typedef struct {
UA_NodeId authenticationToken;
UA_DateTime timestamp;
UA_UInt32 requestHandle;
UA_UInt32 returnDiagnostics;
UA_String auditEntryId;
UA_UInt32 timeoutHint;
UA_ExtensionObject additionalHeader;
} UA_RequestHeader;
#define UA_TYPES_REQUESTHEADER 38
ResponseHeader¶
The header passed with every server response.
typedef struct {
UA_DateTime timestamp;
UA_UInt32 requestHandle;
UA_StatusCode serviceResult;
UA_DiagnosticInfo serviceDiagnostics;
size_t stringTableSize;
UA_String *stringTable;
UA_ExtensionObject additionalHeader;
} UA_ResponseHeader;
#define UA_TYPES_RESPONSEHEADER 39
ServiceFault¶
The response returned by all services when there is a service level error.
typedef struct {
UA_ResponseHeader responseHeader;
} UA_ServiceFault;
#define UA_TYPES_SERVICEFAULT 40
FindServersRequest¶
Finds the servers known to the discovery server.
typedef struct {
UA_RequestHeader requestHeader;
UA_String endpointUrl;
size_t localeIdsSize;
UA_String *localeIds;
size_t serverUrisSize;
UA_String *serverUris;
} UA_FindServersRequest;
#define UA_TYPES_FINDSERVERSREQUEST 41
FindServersResponse¶
Finds the servers known to the discovery server.
typedef struct {
UA_ResponseHeader responseHeader;
size_t serversSize;
UA_ApplicationDescription *servers;
} UA_FindServersResponse;
#define UA_TYPES_FINDSERVERSRESPONSE 42
MessageSecurityMode¶
The type of security to use on a message.
typedef enum {
UA_MESSAGESECURITYMODE_INVALID = 0,
UA_MESSAGESECURITYMODE_NONE = 1,
UA_MESSAGESECURITYMODE_SIGN = 2,
UA_MESSAGESECURITYMODE_SIGNANDENCRYPT = 3,
__UA_MESSAGESECURITYMODE_FORCE32BIT = 0x7fffffff
} UA_MessageSecurityMode;
UA_STATIC_ASSERT(sizeof(UA_MessageSecurityMode) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_MESSAGESECURITYMODE 43
UserTokenType¶
The possible user token types.
typedef enum {
UA_USERTOKENTYPE_ANONYMOUS = 0,
UA_USERTOKENTYPE_USERNAME = 1,
UA_USERTOKENTYPE_CERTIFICATE = 2,
UA_USERTOKENTYPE_ISSUEDTOKEN = 3,
__UA_USERTOKENTYPE_FORCE32BIT = 0x7fffffff
} UA_UserTokenType;
UA_STATIC_ASSERT(sizeof(UA_UserTokenType) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_USERTOKENTYPE 44
UserTokenPolicy¶
Describes a user token that can be used with a server.
typedef struct {
UA_String policyId;
UA_UserTokenType tokenType;
UA_String issuedTokenType;
UA_String issuerEndpointUrl;
UA_String securityPolicyUri;
} UA_UserTokenPolicy;
#define UA_TYPES_USERTOKENPOLICY 45
EndpointDescription¶
The description of a endpoint that can be used to access a server.
typedef struct {
UA_String endpointUrl;
UA_ApplicationDescription server;
UA_ByteString serverCertificate;
UA_MessageSecurityMode securityMode;
UA_String securityPolicyUri;
size_t userIdentityTokensSize;
UA_UserTokenPolicy *userIdentityTokens;
UA_String transportProfileUri;
UA_Byte securityLevel;
} UA_EndpointDescription;
#define UA_TYPES_ENDPOINTDESCRIPTION 46
GetEndpointsRequest¶
Gets the endpoints used by the server.
typedef struct {
UA_RequestHeader requestHeader;
UA_String endpointUrl;
size_t localeIdsSize;
UA_String *localeIds;
size_t profileUrisSize;
UA_String *profileUris;
} UA_GetEndpointsRequest;
#define UA_TYPES_GETENDPOINTSREQUEST 47
GetEndpointsResponse¶
Gets the endpoints used by the server.
typedef struct {
UA_ResponseHeader responseHeader;
size_t endpointsSize;
UA_EndpointDescription *endpoints;
} UA_GetEndpointsResponse;
#define UA_TYPES_GETENDPOINTSRESPONSE 48
SecurityTokenRequestType¶
Indicates whether a token if being created or renewed.
typedef enum {
UA_SECURITYTOKENREQUESTTYPE_ISSUE = 0,
UA_SECURITYTOKENREQUESTTYPE_RENEW = 1,
__UA_SECURITYTOKENREQUESTTYPE_FORCE32BIT = 0x7fffffff
} UA_SecurityTokenRequestType;
UA_STATIC_ASSERT(sizeof(UA_SecurityTokenRequestType) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_SECURITYTOKENREQUESTTYPE 49
ChannelSecurityToken¶
The token that identifies a set of keys for an active secure channel.
typedef struct {
UA_UInt32 channelId;
UA_UInt32 tokenId;
UA_DateTime createdAt;
UA_UInt32 revisedLifetime;
} UA_ChannelSecurityToken;
#define UA_TYPES_CHANNELSECURITYTOKEN 50
OpenSecureChannelRequest¶
Creates a secure channel with a server.
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 clientProtocolVersion;
UA_SecurityTokenRequestType requestType;
UA_MessageSecurityMode securityMode;
UA_ByteString clientNonce;
UA_UInt32 requestedLifetime;
} UA_OpenSecureChannelRequest;
#define UA_TYPES_OPENSECURECHANNELREQUEST 51
OpenSecureChannelResponse¶
Creates a secure channel with a server.
typedef struct {
UA_ResponseHeader responseHeader;
UA_UInt32 serverProtocolVersion;
UA_ChannelSecurityToken securityToken;
UA_ByteString serverNonce;
} UA_OpenSecureChannelResponse;
#define UA_TYPES_OPENSECURECHANNELRESPONSE 52
CloseSecureChannelRequest¶
Closes a secure channel.
typedef struct {
UA_RequestHeader requestHeader;
} UA_CloseSecureChannelRequest;
#define UA_TYPES_CLOSESECURECHANNELREQUEST 53
CloseSecureChannelResponse¶
Closes a secure channel.
typedef struct {
UA_ResponseHeader responseHeader;
} UA_CloseSecureChannelResponse;
#define UA_TYPES_CLOSESECURECHANNELRESPONSE 54
SignedSoftwareCertificate¶
A software certificate with a digital signature.
typedef struct {
UA_ByteString certificateData;
UA_ByteString signature;
} UA_SignedSoftwareCertificate;
#define UA_TYPES_SIGNEDSOFTWARECERTIFICATE 55
SignatureData¶
A digital signature.
typedef struct {
UA_String algorithm;
UA_ByteString signature;
} UA_SignatureData;
#define UA_TYPES_SIGNATUREDATA 56
CreateSessionRequest¶
Creates a new session with the server.
typedef struct {
UA_RequestHeader requestHeader;
UA_ApplicationDescription clientDescription;
UA_String serverUri;
UA_String endpointUrl;
UA_String sessionName;
UA_ByteString clientNonce;
UA_ByteString clientCertificate;
UA_Double requestedSessionTimeout;
UA_UInt32 maxResponseMessageSize;
} UA_CreateSessionRequest;
#define UA_TYPES_CREATESESSIONREQUEST 57
CreateSessionResponse¶
Creates a new session with the server.
typedef struct {
UA_ResponseHeader responseHeader;
UA_NodeId sessionId;
UA_NodeId authenticationToken;
UA_Double revisedSessionTimeout;
UA_ByteString serverNonce;
UA_ByteString serverCertificate;
size_t serverEndpointsSize;
UA_EndpointDescription *serverEndpoints;
size_t serverSoftwareCertificatesSize;
UA_SignedSoftwareCertificate *serverSoftwareCertificates;
UA_SignatureData serverSignature;
UA_UInt32 maxRequestMessageSize;
} UA_CreateSessionResponse;
#define UA_TYPES_CREATESESSIONRESPONSE 58
UserIdentityToken¶
A base type for a user identity token.
typedef struct {
UA_String policyId;
} UA_UserIdentityToken;
#define UA_TYPES_USERIDENTITYTOKEN 59
AnonymousIdentityToken¶
A token representing an anonymous user.
typedef struct {
UA_String policyId;
} UA_AnonymousIdentityToken;
#define UA_TYPES_ANONYMOUSIDENTITYTOKEN 60
UserNameIdentityToken¶
A token representing a user identified by a user name and password.
typedef struct {
UA_String policyId;
UA_String userName;
UA_ByteString password;
UA_String encryptionAlgorithm;
} UA_UserNameIdentityToken;
#define UA_TYPES_USERNAMEIDENTITYTOKEN 61
X509IdentityToken¶
A token representing a user identified by an X509 certificate.
typedef struct {
UA_String policyId;
UA_ByteString certificateData;
} UA_X509IdentityToken;
#define UA_TYPES_X509IDENTITYTOKEN 62
IssuedIdentityToken¶
A token representing a user identified by a WS-Security XML token.
typedef struct {
UA_String policyId;
UA_ByteString tokenData;
UA_String encryptionAlgorithm;
} UA_IssuedIdentityToken;
#define UA_TYPES_ISSUEDIDENTITYTOKEN 63
ActivateSessionRequest¶
Activates a session with the server.
typedef struct {
UA_RequestHeader requestHeader;
UA_SignatureData clientSignature;
size_t clientSoftwareCertificatesSize;
UA_SignedSoftwareCertificate *clientSoftwareCertificates;
size_t localeIdsSize;
UA_String *localeIds;
UA_ExtensionObject userIdentityToken;
UA_SignatureData userTokenSignature;
} UA_ActivateSessionRequest;
#define UA_TYPES_ACTIVATESESSIONREQUEST 64
ActivateSessionResponse¶
Activates a session with the server.
typedef struct {
UA_ResponseHeader responseHeader;
UA_ByteString serverNonce;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_ActivateSessionResponse;
#define UA_TYPES_ACTIVATESESSIONRESPONSE 65
CloseSessionRequest¶
Closes a session with the server.
typedef struct {
UA_RequestHeader requestHeader;
UA_Boolean deleteSubscriptions;
} UA_CloseSessionRequest;
#define UA_TYPES_CLOSESESSIONREQUEST 66
CloseSessionResponse¶
Closes a session with the server.
typedef struct {
UA_ResponseHeader responseHeader;
} UA_CloseSessionResponse;
#define UA_TYPES_CLOSESESSIONRESPONSE 67
NodeAttributesMask¶
The bits used to specify default attributes for a new node.
typedef enum {
UA_NODEATTRIBUTESMASK_NONE = 0,
UA_NODEATTRIBUTESMASK_ACCESSLEVEL = 1,
UA_NODEATTRIBUTESMASK_ARRAYDIMENSIONS = 2,
UA_NODEATTRIBUTESMASK_BROWSENAME = 4,
UA_NODEATTRIBUTESMASK_CONTAINSNOLOOPS = 8,
UA_NODEATTRIBUTESMASK_DATATYPE = 16,
UA_NODEATTRIBUTESMASK_DESCRIPTION = 32,
UA_NODEATTRIBUTESMASK_DISPLAYNAME = 64,
UA_NODEATTRIBUTESMASK_EVENTNOTIFIER = 128,
UA_NODEATTRIBUTESMASK_EXECUTABLE = 256,
UA_NODEATTRIBUTESMASK_HISTORIZING = 512,
UA_NODEATTRIBUTESMASK_INVERSENAME = 1024,
UA_NODEATTRIBUTESMASK_ISABSTRACT = 2048,
UA_NODEATTRIBUTESMASK_MINIMUMSAMPLINGINTERVAL = 4096,
UA_NODEATTRIBUTESMASK_NODECLASS = 8192,
UA_NODEATTRIBUTESMASK_NODEID = 16384,
UA_NODEATTRIBUTESMASK_SYMMETRIC = 32768,
UA_NODEATTRIBUTESMASK_USERACCESSLEVEL = 65536,
UA_NODEATTRIBUTESMASK_USEREXECUTABLE = 131072,
UA_NODEATTRIBUTESMASK_USERWRITEMASK = 262144,
UA_NODEATTRIBUTESMASK_VALUERANK = 524288,
UA_NODEATTRIBUTESMASK_WRITEMASK = 1048576,
UA_NODEATTRIBUTESMASK_VALUE = 2097152,
UA_NODEATTRIBUTESMASK_DATATYPEDEFINITION = 4194304,
UA_NODEATTRIBUTESMASK_ROLEPERMISSIONS = 8388608,
UA_NODEATTRIBUTESMASK_ACCESSRESTRICTIONS = 16777216,
UA_NODEATTRIBUTESMASK_ALL = 33554431,
UA_NODEATTRIBUTESMASK_BASENODE = 26501220,
UA_NODEATTRIBUTESMASK_OBJECT = 26501348,
UA_NODEATTRIBUTESMASK_OBJECTTYPE = 26503268,
UA_NODEATTRIBUTESMASK_VARIABLE = 26571383,
UA_NODEATTRIBUTESMASK_VARIABLETYPE = 28600438,
UA_NODEATTRIBUTESMASK_METHOD = 26632548,
UA_NODEATTRIBUTESMASK_REFERENCETYPE = 26537060,
UA_NODEATTRIBUTESMASK_VIEW = 26501356,
__UA_NODEATTRIBUTESMASK_FORCE32BIT = 0x7fffffff
} UA_NodeAttributesMask;
UA_STATIC_ASSERT(sizeof(UA_NodeAttributesMask) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_NODEATTRIBUTESMASK 68
NodeAttributes¶
The base attributes for all nodes.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
} UA_NodeAttributes;
#define UA_TYPES_NODEATTRIBUTES 69
ObjectAttributes¶
The attributes for an object node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Byte eventNotifier;
} UA_ObjectAttributes;
#define UA_TYPES_OBJECTATTRIBUTES 70
VariableAttributes¶
The attributes for a variable node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Variant value;
UA_NodeId dataType;
UA_Int32 valueRank;
size_t arrayDimensionsSize;
UA_UInt32 *arrayDimensions;
UA_Byte accessLevel;
UA_Byte userAccessLevel;
UA_Double minimumSamplingInterval;
UA_Boolean historizing;
} UA_VariableAttributes;
#define UA_TYPES_VARIABLEATTRIBUTES 71
MethodAttributes¶
The attributes for a method node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Boolean executable;
UA_Boolean userExecutable;
} UA_MethodAttributes;
#define UA_TYPES_METHODATTRIBUTES 72
ObjectTypeAttributes¶
The attributes for an object type node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Boolean isAbstract;
} UA_ObjectTypeAttributes;
#define UA_TYPES_OBJECTTYPEATTRIBUTES 73
VariableTypeAttributes¶
The attributes for a variable type node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Variant value;
UA_NodeId dataType;
UA_Int32 valueRank;
size_t arrayDimensionsSize;
UA_UInt32 *arrayDimensions;
UA_Boolean isAbstract;
} UA_VariableTypeAttributes;
#define UA_TYPES_VARIABLETYPEATTRIBUTES 74
ReferenceTypeAttributes¶
The attributes for a reference type node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Boolean isAbstract;
UA_Boolean symmetric;
UA_LocalizedText inverseName;
} UA_ReferenceTypeAttributes;
#define UA_TYPES_REFERENCETYPEATTRIBUTES 75
DataTypeAttributes¶
The attributes for a data type node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Boolean isAbstract;
} UA_DataTypeAttributes;
#define UA_TYPES_DATATYPEATTRIBUTES 76
ViewAttributes¶
The attributes for a view node.
typedef struct {
UA_UInt32 specifiedAttributes;
UA_LocalizedText displayName;
UA_LocalizedText description;
UA_UInt32 writeMask;
UA_UInt32 userWriteMask;
UA_Boolean containsNoLoops;
UA_Byte eventNotifier;
} UA_ViewAttributes;
#define UA_TYPES_VIEWATTRIBUTES 77
AddNodesItem¶
A request to add a node to the server address space.
typedef struct {
UA_ExpandedNodeId parentNodeId;
UA_NodeId referenceTypeId;
UA_ExpandedNodeId requestedNewNodeId;
UA_QualifiedName browseName;
UA_NodeClass nodeClass;
UA_ExtensionObject nodeAttributes;
UA_ExpandedNodeId typeDefinition;
} UA_AddNodesItem;
#define UA_TYPES_ADDNODESITEM 78
AddNodesResult¶
A result of an add node operation.
typedef struct {
UA_StatusCode statusCode;
UA_NodeId addedNodeId;
} UA_AddNodesResult;
#define UA_TYPES_ADDNODESRESULT 79
AddNodesRequest¶
Adds one or more nodes to the server address space.
typedef struct {
UA_RequestHeader requestHeader;
size_t nodesToAddSize;
UA_AddNodesItem *nodesToAdd;
} UA_AddNodesRequest;
#define UA_TYPES_ADDNODESREQUEST 80
AddNodesResponse¶
Adds one or more nodes to the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_AddNodesResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_AddNodesResponse;
#define UA_TYPES_ADDNODESRESPONSE 81
AddReferencesItem¶
A request to add a reference to the server address space.
typedef struct {
UA_NodeId sourceNodeId;
UA_NodeId referenceTypeId;
UA_Boolean isForward;
UA_String targetServerUri;
UA_ExpandedNodeId targetNodeId;
UA_NodeClass targetNodeClass;
} UA_AddReferencesItem;
#define UA_TYPES_ADDREFERENCESITEM 82
AddReferencesRequest¶
Adds one or more references to the server address space.
typedef struct {
UA_RequestHeader requestHeader;
size_t referencesToAddSize;
UA_AddReferencesItem *referencesToAdd;
} UA_AddReferencesRequest;
#define UA_TYPES_ADDREFERENCESREQUEST 83
AddReferencesResponse¶
Adds one or more references to the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_AddReferencesResponse;
#define UA_TYPES_ADDREFERENCESRESPONSE 84
DeleteNodesItem¶
A request to delete a node to the server address space.
typedef struct {
UA_NodeId nodeId;
UA_Boolean deleteTargetReferences;
} UA_DeleteNodesItem;
#define UA_TYPES_DELETENODESITEM 85
DeleteNodesRequest¶
Delete one or more nodes from the server address space.
typedef struct {
UA_RequestHeader requestHeader;
size_t nodesToDeleteSize;
UA_DeleteNodesItem *nodesToDelete;
} UA_DeleteNodesRequest;
#define UA_TYPES_DELETENODESREQUEST 86
DeleteNodesResponse¶
Delete one or more nodes from the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_DeleteNodesResponse;
#define UA_TYPES_DELETENODESRESPONSE 87
DeleteReferencesItem¶
A request to delete a node from the server address space.
typedef struct {
UA_NodeId sourceNodeId;
UA_NodeId referenceTypeId;
UA_Boolean isForward;
UA_ExpandedNodeId targetNodeId;
UA_Boolean deleteBidirectional;
} UA_DeleteReferencesItem;
#define UA_TYPES_DELETEREFERENCESITEM 88
DeleteReferencesRequest¶
Delete one or more references from the server address space.
typedef struct {
UA_RequestHeader requestHeader;
size_t referencesToDeleteSize;
UA_DeleteReferencesItem *referencesToDelete;
} UA_DeleteReferencesRequest;
#define UA_TYPES_DELETEREFERENCESREQUEST 89
DeleteReferencesResponse¶
Delete one or more references from the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_DeleteReferencesResponse;
#define UA_TYPES_DELETEREFERENCESRESPONSE 90
BrowseDirection¶
The directions of the references to return.
typedef enum {
UA_BROWSEDIRECTION_FORWARD = 0,
UA_BROWSEDIRECTION_INVERSE = 1,
UA_BROWSEDIRECTION_BOTH = 2,
UA_BROWSEDIRECTION_INVALID = 3,
__UA_BROWSEDIRECTION_FORCE32BIT = 0x7fffffff
} UA_BrowseDirection;
UA_STATIC_ASSERT(sizeof(UA_BrowseDirection) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_BROWSEDIRECTION 91
ViewDescription¶
The view to browse.
typedef struct {
UA_NodeId viewId;
UA_DateTime timestamp;
UA_UInt32 viewVersion;
} UA_ViewDescription;
#define UA_TYPES_VIEWDESCRIPTION 92
BrowseDescription¶
A request to browse the the references from a node.
typedef struct {
UA_NodeId nodeId;
UA_BrowseDirection browseDirection;
UA_NodeId referenceTypeId;
UA_Boolean includeSubtypes;
UA_UInt32 nodeClassMask;
UA_UInt32 resultMask;
} UA_BrowseDescription;
#define UA_TYPES_BROWSEDESCRIPTION 93
BrowseResultMask¶
A bit mask which specifies what should be returned in a browse response.
typedef enum {
UA_BROWSERESULTMASK_NONE = 0,
UA_BROWSERESULTMASK_REFERENCETYPEID = 1,
UA_BROWSERESULTMASK_ISFORWARD = 2,
UA_BROWSERESULTMASK_NODECLASS = 4,
UA_BROWSERESULTMASK_BROWSENAME = 8,
UA_BROWSERESULTMASK_DISPLAYNAME = 16,
UA_BROWSERESULTMASK_TYPEDEFINITION = 32,
UA_BROWSERESULTMASK_ALL = 63,
UA_BROWSERESULTMASK_REFERENCETYPEINFO = 3,
UA_BROWSERESULTMASK_TARGETINFO = 60,
__UA_BROWSERESULTMASK_FORCE32BIT = 0x7fffffff
} UA_BrowseResultMask;
UA_STATIC_ASSERT(sizeof(UA_BrowseResultMask) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_BROWSERESULTMASK 94
ReferenceDescription¶
The description of a reference.
typedef struct {
UA_NodeId referenceTypeId;
UA_Boolean isForward;
UA_ExpandedNodeId nodeId;
UA_QualifiedName browseName;
UA_LocalizedText displayName;
UA_NodeClass nodeClass;
UA_ExpandedNodeId typeDefinition;
} UA_ReferenceDescription;
#define UA_TYPES_REFERENCEDESCRIPTION 95
BrowseResult¶
The result of a browse operation.
typedef struct {
UA_StatusCode statusCode;
UA_ByteString continuationPoint;
size_t referencesSize;
UA_ReferenceDescription *references;
} UA_BrowseResult;
#define UA_TYPES_BROWSERESULT 96
BrowseRequest¶
Browse the references for one or more nodes from the server address space.
typedef struct {
UA_RequestHeader requestHeader;
UA_ViewDescription view;
UA_UInt32 requestedMaxReferencesPerNode;
size_t nodesToBrowseSize;
UA_BrowseDescription *nodesToBrowse;
} UA_BrowseRequest;
#define UA_TYPES_BROWSEREQUEST 97
BrowseResponse¶
Browse the references for one or more nodes from the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_BrowseResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_BrowseResponse;
#define UA_TYPES_BROWSERESPONSE 98
BrowseNextRequest¶
Continues one or more browse operations.
typedef struct {
UA_RequestHeader requestHeader;
UA_Boolean releaseContinuationPoints;
size_t continuationPointsSize;
UA_ByteString *continuationPoints;
} UA_BrowseNextRequest;
#define UA_TYPES_BROWSENEXTREQUEST 99
BrowseNextResponse¶
Continues one or more browse operations.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_BrowseResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_BrowseNextResponse;
#define UA_TYPES_BROWSENEXTRESPONSE 100
RelativePathElement¶
An element in a relative path.
typedef struct {
UA_NodeId referenceTypeId;
UA_Boolean isInverse;
UA_Boolean includeSubtypes;
UA_QualifiedName targetName;
} UA_RelativePathElement;
#define UA_TYPES_RELATIVEPATHELEMENT 101
RelativePath¶
A relative path constructed from reference types and browse names.
typedef struct {
size_t elementsSize;
UA_RelativePathElement *elements;
} UA_RelativePath;
#define UA_TYPES_RELATIVEPATH 102
BrowsePath¶
A request to translate a path into a node id.
typedef struct {
UA_NodeId startingNode;
UA_RelativePath relativePath;
} UA_BrowsePath;
#define UA_TYPES_BROWSEPATH 103
BrowsePathTarget¶
The target of the translated path.
typedef struct {
UA_ExpandedNodeId targetId;
UA_UInt32 remainingPathIndex;
} UA_BrowsePathTarget;
#define UA_TYPES_BROWSEPATHTARGET 104
BrowsePathResult¶
The result of a translate opearation.
typedef struct {
UA_StatusCode statusCode;
size_t targetsSize;
UA_BrowsePathTarget *targets;
} UA_BrowsePathResult;
#define UA_TYPES_BROWSEPATHRESULT 105
TranslateBrowsePathsToNodeIdsRequest¶
Translates one or more paths in the server address space.
typedef struct {
UA_RequestHeader requestHeader;
size_t browsePathsSize;
UA_BrowsePath *browsePaths;
} UA_TranslateBrowsePathsToNodeIdsRequest;
#define UA_TYPES_TRANSLATEBROWSEPATHSTONODEIDSREQUEST 106
TranslateBrowsePathsToNodeIdsResponse¶
Translates one or more paths in the server address space.
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_BrowsePathResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_TranslateBrowsePathsToNodeIdsResponse;
#define UA_TYPES_TRANSLATEBROWSEPATHSTONODEIDSRESPONSE 107
RegisterNodesRequest¶
Registers one or more nodes for repeated use within a session.
typedef struct {
UA_RequestHeader requestHeader;
size_t nodesToRegisterSize;
UA_NodeId *nodesToRegister;
} UA_RegisterNodesRequest;
#define UA_TYPES_REGISTERNODESREQUEST 108
RegisterNodesResponse¶
Registers one or more nodes for repeated use within a session.
typedef struct {
UA_ResponseHeader responseHeader;
size_t registeredNodeIdsSize;
UA_NodeId *registeredNodeIds;
} UA_RegisterNodesResponse;
#define UA_TYPES_REGISTERNODESRESPONSE 109
UnregisterNodesRequest¶
Unregisters one or more previously registered nodes.
typedef struct {
UA_RequestHeader requestHeader;
size_t nodesToUnregisterSize;
UA_NodeId *nodesToUnregister;
} UA_UnregisterNodesRequest;
#define UA_TYPES_UNREGISTERNODESREQUEST 110
UnregisterNodesResponse¶
Unregisters one or more previously registered nodes.
typedef struct {
UA_ResponseHeader responseHeader;
} UA_UnregisterNodesResponse;
#define UA_TYPES_UNREGISTERNODESRESPONSE 111
FilterOperator¶
typedef enum {
UA_FILTEROPERATOR_EQUALS = 0,
UA_FILTEROPERATOR_ISNULL = 1,
UA_FILTEROPERATOR_GREATERTHAN = 2,
UA_FILTEROPERATOR_LESSTHAN = 3,
UA_FILTEROPERATOR_GREATERTHANOREQUAL = 4,
UA_FILTEROPERATOR_LESSTHANOREQUAL = 5,
UA_FILTEROPERATOR_LIKE = 6,
UA_FILTEROPERATOR_NOT = 7,
UA_FILTEROPERATOR_BETWEEN = 8,
UA_FILTEROPERATOR_INLIST = 9,
UA_FILTEROPERATOR_AND = 10,
UA_FILTEROPERATOR_OR = 11,
UA_FILTEROPERATOR_CAST = 12,
UA_FILTEROPERATOR_INVIEW = 13,
UA_FILTEROPERATOR_OFTYPE = 14,
UA_FILTEROPERATOR_RELATEDTO = 15,
UA_FILTEROPERATOR_BITWISEAND = 16,
UA_FILTEROPERATOR_BITWISEOR = 17,
__UA_FILTEROPERATOR_FORCE32BIT = 0x7fffffff
} UA_FilterOperator;
UA_STATIC_ASSERT(sizeof(UA_FilterOperator) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_FILTEROPERATOR 112
ContentFilterElement¶
typedef struct {
UA_FilterOperator filterOperator;
size_t filterOperandsSize;
UA_ExtensionObject *filterOperands;
} UA_ContentFilterElement;
#define UA_TYPES_CONTENTFILTERELEMENT 113
ContentFilter¶
typedef struct {
size_t elementsSize;
UA_ContentFilterElement *elements;
} UA_ContentFilter;
#define UA_TYPES_CONTENTFILTER 114
FilterOperand¶
typedef void * UA_FilterOperand;
#define UA_TYPES_FILTEROPERAND 115
ElementOperand¶
typedef struct {
UA_UInt32 index;
} UA_ElementOperand;
#define UA_TYPES_ELEMENTOPERAND 116
LiteralOperand¶
typedef struct {
UA_Variant value;
} UA_LiteralOperand;
#define UA_TYPES_LITERALOPERAND 117
AttributeOperand¶
typedef struct {
UA_NodeId nodeId;
UA_String alias;
UA_RelativePath browsePath;
UA_UInt32 attributeId;
UA_String indexRange;
} UA_AttributeOperand;
#define UA_TYPES_ATTRIBUTEOPERAND 118
SimpleAttributeOperand¶
typedef struct {
UA_NodeId typeDefinitionId;
size_t browsePathSize;
UA_QualifiedName *browsePath;
UA_UInt32 attributeId;
UA_String indexRange;
} UA_SimpleAttributeOperand;
#define UA_TYPES_SIMPLEATTRIBUTEOPERAND 119
ContentFilterElementResult¶
typedef struct {
UA_StatusCode statusCode;
size_t operandStatusCodesSize;
UA_StatusCode *operandStatusCodes;
size_t operandDiagnosticInfosSize;
UA_DiagnosticInfo *operandDiagnosticInfos;
} UA_ContentFilterElementResult;
#define UA_TYPES_CONTENTFILTERELEMENTRESULT 120
ContentFilterResult¶
typedef struct {
size_t elementResultsSize;
UA_ContentFilterElementResult *elementResults;
size_t elementDiagnosticInfosSize;
UA_DiagnosticInfo *elementDiagnosticInfos;
} UA_ContentFilterResult;
#define UA_TYPES_CONTENTFILTERRESULT 121
TimestampsToReturn¶
typedef enum {
UA_TIMESTAMPSTORETURN_SOURCE = 0,
UA_TIMESTAMPSTORETURN_SERVER = 1,
UA_TIMESTAMPSTORETURN_BOTH = 2,
UA_TIMESTAMPSTORETURN_NEITHER = 3,
UA_TIMESTAMPSTORETURN_INVALID = 4,
__UA_TIMESTAMPSTORETURN_FORCE32BIT = 0x7fffffff
} UA_TimestampsToReturn;
UA_STATIC_ASSERT(sizeof(UA_TimestampsToReturn) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_TIMESTAMPSTORETURN 122
ReadValueId¶
typedef struct {
UA_NodeId nodeId;
UA_UInt32 attributeId;
UA_String indexRange;
UA_QualifiedName dataEncoding;
} UA_ReadValueId;
#define UA_TYPES_READVALUEID 123
ReadRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_Double maxAge;
UA_TimestampsToReturn timestampsToReturn;
size_t nodesToReadSize;
UA_ReadValueId *nodesToRead;
} UA_ReadRequest;
#define UA_TYPES_READREQUEST 124
ReadResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_DataValue *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_ReadResponse;
#define UA_TYPES_READRESPONSE 125
WriteValue¶
typedef struct {
UA_NodeId nodeId;
UA_UInt32 attributeId;
UA_String indexRange;
UA_DataValue value;
} UA_WriteValue;
#define UA_TYPES_WRITEVALUE 126
WriteRequest¶
typedef struct {
UA_RequestHeader requestHeader;
size_t nodesToWriteSize;
UA_WriteValue *nodesToWrite;
} UA_WriteRequest;
#define UA_TYPES_WRITEREQUEST 127
WriteResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_WriteResponse;
#define UA_TYPES_WRITERESPONSE 128
CallMethodRequest¶
typedef struct {
UA_NodeId objectId;
UA_NodeId methodId;
size_t inputArgumentsSize;
UA_Variant *inputArguments;
} UA_CallMethodRequest;
#define UA_TYPES_CALLMETHODREQUEST 129
CallMethodResult¶
typedef struct {
UA_StatusCode statusCode;
size_t inputArgumentResultsSize;
UA_StatusCode *inputArgumentResults;
size_t inputArgumentDiagnosticInfosSize;
UA_DiagnosticInfo *inputArgumentDiagnosticInfos;
size_t outputArgumentsSize;
UA_Variant *outputArguments;
} UA_CallMethodResult;
#define UA_TYPES_CALLMETHODRESULT 130
CallRequest¶
typedef struct {
UA_RequestHeader requestHeader;
size_t methodsToCallSize;
UA_CallMethodRequest *methodsToCall;
} UA_CallRequest;
#define UA_TYPES_CALLREQUEST 131
CallResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_CallMethodResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_CallResponse;
#define UA_TYPES_CALLRESPONSE 132
MonitoringMode¶
typedef enum {
UA_MONITORINGMODE_DISABLED = 0,
UA_MONITORINGMODE_SAMPLING = 1,
UA_MONITORINGMODE_REPORTING = 2,
__UA_MONITORINGMODE_FORCE32BIT = 0x7fffffff
} UA_MonitoringMode;
UA_STATIC_ASSERT(sizeof(UA_MonitoringMode) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_MONITORINGMODE 133
DataChangeTrigger¶
typedef enum {
UA_DATACHANGETRIGGER_STATUS = 0,
UA_DATACHANGETRIGGER_STATUSVALUE = 1,
UA_DATACHANGETRIGGER_STATUSVALUETIMESTAMP = 2,
__UA_DATACHANGETRIGGER_FORCE32BIT = 0x7fffffff
} UA_DataChangeTrigger;
UA_STATIC_ASSERT(sizeof(UA_DataChangeTrigger) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_DATACHANGETRIGGER 134
DeadbandType¶
typedef enum {
UA_DEADBANDTYPE_NONE = 0,
UA_DEADBANDTYPE_ABSOLUTE = 1,
UA_DEADBANDTYPE_PERCENT = 2,
__UA_DEADBANDTYPE_FORCE32BIT = 0x7fffffff
} UA_DeadbandType;
UA_STATIC_ASSERT(sizeof(UA_DeadbandType) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_DEADBANDTYPE 135
DataChangeFilter¶
typedef struct {
UA_DataChangeTrigger trigger;
UA_UInt32 deadbandType;
UA_Double deadbandValue;
} UA_DataChangeFilter;
#define UA_TYPES_DATACHANGEFILTER 136
EventFilter¶
typedef struct {
size_t selectClausesSize;
UA_SimpleAttributeOperand *selectClauses;
UA_ContentFilter whereClause;
} UA_EventFilter;
#define UA_TYPES_EVENTFILTER 137
AggregateConfiguration¶
typedef struct {
UA_Boolean useServerCapabilitiesDefaults;
UA_Boolean treatUncertainAsBad;
UA_Byte percentDataBad;
UA_Byte percentDataGood;
UA_Boolean useSlopedExtrapolation;
} UA_AggregateConfiguration;
#define UA_TYPES_AGGREGATECONFIGURATION 138
AggregateFilter¶
typedef struct {
UA_DateTime startTime;
UA_NodeId aggregateType;
UA_Double processingInterval;
UA_AggregateConfiguration aggregateConfiguration;
} UA_AggregateFilter;
#define UA_TYPES_AGGREGATEFILTER 139
EventFilterResult¶
typedef struct {
size_t selectClauseResultsSize;
UA_StatusCode *selectClauseResults;
size_t selectClauseDiagnosticInfosSize;
UA_DiagnosticInfo *selectClauseDiagnosticInfos;
UA_ContentFilterResult whereClauseResult;
} UA_EventFilterResult;
#define UA_TYPES_EVENTFILTERRESULT 140
MonitoringParameters¶
typedef struct {
UA_UInt32 clientHandle;
UA_Double samplingInterval;
UA_ExtensionObject filter;
UA_UInt32 queueSize;
UA_Boolean discardOldest;
} UA_MonitoringParameters;
#define UA_TYPES_MONITORINGPARAMETERS 141
MonitoredItemCreateRequest¶
typedef struct {
UA_ReadValueId itemToMonitor;
UA_MonitoringMode monitoringMode;
UA_MonitoringParameters requestedParameters;
} UA_MonitoredItemCreateRequest;
#define UA_TYPES_MONITOREDITEMCREATEREQUEST 142
MonitoredItemCreateResult¶
typedef struct {
UA_StatusCode statusCode;
UA_UInt32 monitoredItemId;
UA_Double revisedSamplingInterval;
UA_UInt32 revisedQueueSize;
UA_ExtensionObject filterResult;
} UA_MonitoredItemCreateResult;
#define UA_TYPES_MONITOREDITEMCREATERESULT 143
CreateMonitoredItemsRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_TimestampsToReturn timestampsToReturn;
size_t itemsToCreateSize;
UA_MonitoredItemCreateRequest *itemsToCreate;
} UA_CreateMonitoredItemsRequest;
#define UA_TYPES_CREATEMONITOREDITEMSREQUEST 144
CreateMonitoredItemsResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_MonitoredItemCreateResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_CreateMonitoredItemsResponse;
#define UA_TYPES_CREATEMONITOREDITEMSRESPONSE 145
MonitoredItemModifyRequest¶
typedef struct {
UA_UInt32 monitoredItemId;
UA_MonitoringParameters requestedParameters;
} UA_MonitoredItemModifyRequest;
#define UA_TYPES_MONITOREDITEMMODIFYREQUEST 146
MonitoredItemModifyResult¶
typedef struct {
UA_StatusCode statusCode;
UA_Double revisedSamplingInterval;
UA_UInt32 revisedQueueSize;
UA_ExtensionObject filterResult;
} UA_MonitoredItemModifyResult;
#define UA_TYPES_MONITOREDITEMMODIFYRESULT 147
ModifyMonitoredItemsRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_TimestampsToReturn timestampsToReturn;
size_t itemsToModifySize;
UA_MonitoredItemModifyRequest *itemsToModify;
} UA_ModifyMonitoredItemsRequest;
#define UA_TYPES_MODIFYMONITOREDITEMSREQUEST 148
ModifyMonitoredItemsResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_MonitoredItemModifyResult *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_ModifyMonitoredItemsResponse;
#define UA_TYPES_MODIFYMONITOREDITEMSRESPONSE 149
SetMonitoringModeRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_MonitoringMode monitoringMode;
size_t monitoredItemIdsSize;
UA_UInt32 *monitoredItemIds;
} UA_SetMonitoringModeRequest;
#define UA_TYPES_SETMONITORINGMODEREQUEST 150
SetMonitoringModeResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_SetMonitoringModeResponse;
#define UA_TYPES_SETMONITORINGMODERESPONSE 151
SetTriggeringRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_UInt32 triggeringItemId;
size_t linksToAddSize;
UA_UInt32 *linksToAdd;
size_t linksToRemoveSize;
UA_UInt32 *linksToRemove;
} UA_SetTriggeringRequest;
#define UA_TYPES_SETTRIGGERINGREQUEST 152
SetTriggeringResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t addResultsSize;
UA_StatusCode *addResults;
size_t addDiagnosticInfosSize;
UA_DiagnosticInfo *addDiagnosticInfos;
size_t removeResultsSize;
UA_StatusCode *removeResults;
size_t removeDiagnosticInfosSize;
UA_DiagnosticInfo *removeDiagnosticInfos;
} UA_SetTriggeringResponse;
#define UA_TYPES_SETTRIGGERINGRESPONSE 153
DeleteMonitoredItemsRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
size_t monitoredItemIdsSize;
UA_UInt32 *monitoredItemIds;
} UA_DeleteMonitoredItemsRequest;
#define UA_TYPES_DELETEMONITOREDITEMSREQUEST 154
DeleteMonitoredItemsResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_DeleteMonitoredItemsResponse;
#define UA_TYPES_DELETEMONITOREDITEMSRESPONSE 155
CreateSubscriptionRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_Double requestedPublishingInterval;
UA_UInt32 requestedLifetimeCount;
UA_UInt32 requestedMaxKeepAliveCount;
UA_UInt32 maxNotificationsPerPublish;
UA_Boolean publishingEnabled;
UA_Byte priority;
} UA_CreateSubscriptionRequest;
#define UA_TYPES_CREATESUBSCRIPTIONREQUEST 156
CreateSubscriptionResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
UA_UInt32 subscriptionId;
UA_Double revisedPublishingInterval;
UA_UInt32 revisedLifetimeCount;
UA_UInt32 revisedMaxKeepAliveCount;
} UA_CreateSubscriptionResponse;
#define UA_TYPES_CREATESUBSCRIPTIONRESPONSE 157
ModifySubscriptionRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_Double requestedPublishingInterval;
UA_UInt32 requestedLifetimeCount;
UA_UInt32 requestedMaxKeepAliveCount;
UA_UInt32 maxNotificationsPerPublish;
UA_Byte priority;
} UA_ModifySubscriptionRequest;
#define UA_TYPES_MODIFYSUBSCRIPTIONREQUEST 158
ModifySubscriptionResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
UA_Double revisedPublishingInterval;
UA_UInt32 revisedLifetimeCount;
UA_UInt32 revisedMaxKeepAliveCount;
} UA_ModifySubscriptionResponse;
#define UA_TYPES_MODIFYSUBSCRIPTIONRESPONSE 159
SetPublishingModeRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_Boolean publishingEnabled;
size_t subscriptionIdsSize;
UA_UInt32 *subscriptionIds;
} UA_SetPublishingModeRequest;
#define UA_TYPES_SETPUBLISHINGMODEREQUEST 160
SetPublishingModeResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_SetPublishingModeResponse;
#define UA_TYPES_SETPUBLISHINGMODERESPONSE 161
NotificationMessage¶
typedef struct {
UA_UInt32 sequenceNumber;
UA_DateTime publishTime;
size_t notificationDataSize;
UA_ExtensionObject *notificationData;
} UA_NotificationMessage;
#define UA_TYPES_NOTIFICATIONMESSAGE 162
MonitoredItemNotification¶
typedef struct {
UA_UInt32 clientHandle;
UA_DataValue value;
} UA_MonitoredItemNotification;
#define UA_TYPES_MONITOREDITEMNOTIFICATION 163
EventFieldList¶
typedef struct {
UA_UInt32 clientHandle;
size_t eventFieldsSize;
UA_Variant *eventFields;
} UA_EventFieldList;
#define UA_TYPES_EVENTFIELDLIST 164
StatusChangeNotification¶
typedef struct {
UA_StatusCode status;
UA_DiagnosticInfo diagnosticInfo;
} UA_StatusChangeNotification;
#define UA_TYPES_STATUSCHANGENOTIFICATION 165
SubscriptionAcknowledgement¶
typedef struct {
UA_UInt32 subscriptionId;
UA_UInt32 sequenceNumber;
} UA_SubscriptionAcknowledgement;
#define UA_TYPES_SUBSCRIPTIONACKNOWLEDGEMENT 166
PublishRequest¶
typedef struct {
UA_RequestHeader requestHeader;
size_t subscriptionAcknowledgementsSize;
UA_SubscriptionAcknowledgement *subscriptionAcknowledgements;
} UA_PublishRequest;
#define UA_TYPES_PUBLISHREQUEST 167
PublishResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
UA_UInt32 subscriptionId;
size_t availableSequenceNumbersSize;
UA_UInt32 *availableSequenceNumbers;
UA_Boolean moreNotifications;
UA_NotificationMessage notificationMessage;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_PublishResponse;
#define UA_TYPES_PUBLISHRESPONSE 168
RepublishRequest¶
typedef struct {
UA_RequestHeader requestHeader;
UA_UInt32 subscriptionId;
UA_UInt32 retransmitSequenceNumber;
} UA_RepublishRequest;
#define UA_TYPES_REPUBLISHREQUEST 169
RepublishResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
UA_NotificationMessage notificationMessage;
} UA_RepublishResponse;
#define UA_TYPES_REPUBLISHRESPONSE 170
DeleteSubscriptionsRequest¶
typedef struct {
UA_RequestHeader requestHeader;
size_t subscriptionIdsSize;
UA_UInt32 *subscriptionIds;
} UA_DeleteSubscriptionsRequest;
#define UA_TYPES_DELETESUBSCRIPTIONSREQUEST 171
DeleteSubscriptionsResponse¶
typedef struct {
UA_ResponseHeader responseHeader;
size_t resultsSize;
UA_StatusCode *results;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_DeleteSubscriptionsResponse;
#define UA_TYPES_DELETESUBSCRIPTIONSRESPONSE 172
BuildInfo¶
typedef struct {
UA_String productUri;
UA_String manufacturerName;
UA_String productName;
UA_String softwareVersion;
UA_String buildNumber;
UA_DateTime buildDate;
} UA_BuildInfo;
#define UA_TYPES_BUILDINFO 173
RedundancySupport¶
typedef enum {
UA_REDUNDANCYSUPPORT_NONE = 0,
UA_REDUNDANCYSUPPORT_COLD = 1,
UA_REDUNDANCYSUPPORT_WARM = 2,
UA_REDUNDANCYSUPPORT_HOT = 3,
UA_REDUNDANCYSUPPORT_TRANSPARENT = 4,
UA_REDUNDANCYSUPPORT_HOTANDMIRRORED = 5,
__UA_REDUNDANCYSUPPORT_FORCE32BIT = 0x7fffffff
} UA_RedundancySupport;
UA_STATIC_ASSERT(sizeof(UA_RedundancySupport) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_REDUNDANCYSUPPORT 174
ServerState¶
typedef enum {
UA_SERVERSTATE_RUNNING = 0,
UA_SERVERSTATE_FAILED = 1,
UA_SERVERSTATE_NOCONFIGURATION = 2,
UA_SERVERSTATE_SUSPENDED = 3,
UA_SERVERSTATE_SHUTDOWN = 4,
UA_SERVERSTATE_TEST = 5,
UA_SERVERSTATE_COMMUNICATIONFAULT = 6,
UA_SERVERSTATE_UNKNOWN = 7,
__UA_SERVERSTATE_FORCE32BIT = 0x7fffffff
} UA_ServerState;
UA_STATIC_ASSERT(sizeof(UA_ServerState) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_SERVERSTATE 175
ServerDiagnosticsSummaryDataType¶
typedef struct {
UA_UInt32 serverViewCount;
UA_UInt32 currentSessionCount;
UA_UInt32 cumulatedSessionCount;
UA_UInt32 securityRejectedSessionCount;
UA_UInt32 rejectedSessionCount;
UA_UInt32 sessionTimeoutCount;
UA_UInt32 sessionAbortCount;
UA_UInt32 currentSubscriptionCount;
UA_UInt32 cumulatedSubscriptionCount;
UA_UInt32 publishingIntervalCount;
UA_UInt32 securityRejectedRequestsCount;
UA_UInt32 rejectedRequestsCount;
} UA_ServerDiagnosticsSummaryDataType;
#define UA_TYPES_SERVERDIAGNOSTICSSUMMARYDATATYPE 176
ServerStatusDataType¶
typedef struct {
UA_DateTime startTime;
UA_DateTime currentTime;
UA_ServerState state;
UA_BuildInfo buildInfo;
UA_UInt32 secondsTillShutdown;
UA_LocalizedText shutdownReason;
} UA_ServerStatusDataType;
#define UA_TYPES_SERVERSTATUSDATATYPE 177
Range¶
typedef struct {
UA_Double low;
UA_Double high;
} UA_Range;
#define UA_TYPES_RANGE 178
EUInformation¶
typedef struct {
UA_String namespaceUri;
UA_Int32 unitId;
UA_LocalizedText displayName;
UA_LocalizedText description;
} UA_EUInformation;
#define UA_TYPES_EUINFORMATION 179
AxisScaleEnumeration¶
typedef enum {
UA_AXISSCALEENUMERATION_LINEAR = 0,
UA_AXISSCALEENUMERATION_LOG = 1,
UA_AXISSCALEENUMERATION_LN = 2,
__UA_AXISSCALEENUMERATION_FORCE32BIT = 0x7fffffff
} UA_AxisScaleEnumeration;
UA_STATIC_ASSERT(sizeof(UA_AxisScaleEnumeration) == sizeof(UA_Int32), enum_must_be_32bit);
#define UA_TYPES_AXISSCALEENUMERATION 180
ComplexNumberType¶
typedef struct {
UA_Float real;
UA_Float imaginary;
} UA_ComplexNumberType;
#define UA_TYPES_COMPLEXNUMBERTYPE 181
DoubleComplexNumberType¶
typedef struct {
UA_Double real;
UA_Double imaginary;
} UA_DoubleComplexNumberType;
#define UA_TYPES_DOUBLECOMPLEXNUMBERTYPE 182
AxisInformation¶
typedef struct {
UA_EUInformation engineeringUnits;
UA_Range eURange;
UA_LocalizedText title;
UA_AxisScaleEnumeration axisScaleType;
size_t axisStepsSize;
UA_Double *axisSteps;
} UA_AxisInformation;
#define UA_TYPES_AXISINFORMATION 183
XVType¶
typedef struct {
UA_Double x;
UA_Float value;
} UA_XVType;
#define UA_TYPES_XVTYPE 184
EnumDefinition¶
typedef struct {
size_t fieldsSize;
UA_EnumField *fields;
} UA_EnumDefinition;
#define UA_TYPES_ENUMDEFINITION 185
DataChangeNotification¶
typedef struct {
size_t monitoredItemsSize;
UA_MonitoredItemNotification *monitoredItems;
size_t diagnosticInfosSize;
UA_DiagnosticInfo *diagnosticInfos;
} UA_DataChangeNotification;
#define UA_TYPES_DATACHANGENOTIFICATION 186
EventNotificationList¶
typedef struct {
size_t eventsSize;
UA_EventFieldList *events;
} UA_EventNotificationList;
#define UA_TYPES_EVENTNOTIFICATIONLIST 187